diff --git a/.github/scripts/validate-and-lint.sh b/.github/scripts/validate-and-lint.sh new file mode 100755 index 00000000..cfb5d5fd --- /dev/null +++ b/.github/scripts/validate-and-lint.sh @@ -0,0 +1,30 @@ +#!/bin/bash +# Validate the XML file structure and lint XSD and XML files, e.g. indentation +# +# You need the binary `xmllint` +# apt-get install libxml2-utils + +# The -e flag causes the script to exit as soon as one command returns a non-zero exit code +set -e + +echo "Validating XML file structure and linting XSD and XML files ..." + +PARSING_ERROR=0 +# Iterate all XML and XSD files +while IFS= read -r -d $'\0' filename; do + # Prettify the file using xmllint and save the result to ${filename}.pretty + if XMLLINT_INDENT=$'\t' xmllint --encode UTF-8 --pretty 1 "${filename}" >"${filename}.pretty"; then + # Remove lines containing the term "xmlspy" to get rid of advertising this and save the result as ${filename} + grep -i -v "xmlspy" "${filename}.pretty" >"${filename}" + else + PARSING_ERROR=$? + echo -e "\033[0;Validating XML structure of file '${filename}' failed\033[0m" + fi + # Remove temp file + rm "${filename}.pretty" +done < <(/usr/bin/find . -type f \( -name "*.xsd" -or -name "*.xml" \) -not -path "./git" -print0) + +if [ ${PARSING_ERROR} -ne 0 ]; then + exit ${PARSING_ERROR} +fi +echo -e '\033[0;32mFinished validating XML file structure and linting XSD and XML files\033[0m' diff --git a/.github/scripts/validate-examples.sh b/.github/scripts/validate-examples.sh new file mode 100755 index 00000000..881e5068 --- /dev/null +++ b/.github/scripts/validate-examples.sh @@ -0,0 +1,17 @@ +#!/bin/bash +# Validate all SIRI XML examples from the examples/ directory against the SIRI XSD schema +# +# You need the binary `xmllint` +# apt-get install libxml2-utils + +# The -e flag causes the script to exit as soon as one command returns a non-zero exit code +set -e + +echo "Validating SIRI XML examples ..." + +if xmllint --noout --schema xsd/siri.xsd examples/*/*.xml; then + echo -e '\033[0;32mValidating SIRI XML examples succeeded\033[0m' +else + echo -e '\033[0;31mValidating SIRI XML examples failed\033[0m' + exit 1 +fi diff --git a/.github/workflows/ci.yml b/.github/workflows/ci.yml new file mode 100644 index 00000000..c9f5f8f3 --- /dev/null +++ b/.github/workflows/ci.yml @@ -0,0 +1,42 @@ +name: CI + +on: + # Triggers the workflow on push or pull request events but only for the "master" branch + push: + branches: [ "master", "main", "integration" ] + pull_request: + branches: [ "master", "main", "integration" ] + + # Allows you to run this workflow manually from the Actions tab + workflow_dispatch: + +jobs: + run: + runs-on: ubuntu-latest + + steps: + - run: echo "Job was automatically triggered by a ${{ github.event_name }} event for branch ${{ github.ref }}" + + - name: Check out repository code + uses: actions/checkout@v3 + with: + # https://github.com/marketplace/actions/add-commit#working-with-prs + repository: ${{ github.event.pull_request.head.repo.full_name }} + ref: ${{ github.event.pull_request.head.ref }} + + - name: Install xmllint and xsltproc + run: | + sudo apt-get update + sudo apt-get install libxml2-utils xsltproc + + - name: Validate structure and lint XSD and XML files + run: ./.github/scripts/validate-and-lint.sh + + - name: Validate SIRI XML examples + run: ./.github/scripts/validate-examples.sh + + - name: Commit changes + uses: EndBug/add-and-commit@v9 # https://github.com/marketplace/actions/add-commit + with: + default_author: github_actions + message: 'Lint and update documentation tables' diff --git a/.travis.yml b/.travis.yml deleted file mode 100644 index 7db6ea77..00000000 --- a/.travis.yml +++ /dev/null @@ -1,10 +0,0 @@ -language: minimal - -before_script: - - sudo apt-get install -qq libxml2-utils - -script: - - bash .travis/xmllint-check.sh - -after_script: - - bash .travis/travis-ci_git-commit.sh diff --git a/.travis/travis-ci_git-commit.sh b/.travis/travis-ci_git-commit.sh deleted file mode 100644 index 896660f6..00000000 --- a/.travis/travis-ci_git-commit.sh +++ /dev/null @@ -1,64 +0,0 @@ -#!/bin/bash -# function to make a commit on a branch in a Travis CI build -# be sure to avoid creating a Travis CI fork bomb -# see https://gist.github.com/mitchellkrogza/a296ab5102d7e7142cc3599fca634203 and https://github.com/travis-ci/travis-ci/issues/1701 -function travis-branch-commit() { - local head_ref branch_ref - head_ref=$(git rev-parse HEAD) - if [[ $? -ne 0 || ! $head_ref ]]; then - err "Failed to get HEAD reference" - return 1 - fi - branch_ref=$(git rev-parse "$TRAVIS_BRANCH") - if [[ $? -ne 0 || ! $branch_ref ]]; then - err "Failed to get $TRAVIS_BRANCH reference" - return 1 - fi - if [[ $head_ref != $branch_ref ]]; then - msg "HEAD ref ($head_ref) does not match $TRAVIS_BRANCH ref ($branch_ref)" - msg "Someone may have pushed new commits before this build cloned the repo" - return 1 - fi - if ! git checkout "$TRAVIS_BRANCH"; then - err "Failed to checkout $TRAVIS_BRANCH" - return 1 - fi - - if ! git add --all .; then - err "Failed to add modified files to git index" - return 1 - fi - # make Travis CI skip this build - if ! git commit -m "Travis CI update [skip ci]"; then - err "Failed to commit updates" - return 1 - fi - # add to your .travis.yml: `branches\n except:\n - "/travis_build-\\d+/"\n` - local git_tag=travis_build-$TRAVIS_BUILD_NUMBER - if ! git tag "$git_tag" -m "Generated tag from Travis CI build $TRAVIS_BUILD_NUMBER"; then - err "Failed to create git tag: $git_tag" - return 1 - fi - local remote=origin - if [[ $GH_TOKEN ]]; then - remote=https://$GH_TOKEN@github.com/$GH_REPO - fi - if [[ $TRAVIS_BRANCH == master ]]; then - msg "Not pushing updates to branch $TRAVIS_BRANCH" - return 0 - fi - if ! git push --quiet --follow-tags "$remote" "$TRAVIS_BRANCH" > /dev/null 2>&1; then - err "Failed to push git changes" - return 1 - fi -} - -function msg() { - echo "travis-commit: $*" -} - -function err() { - msg "$*" 1>&2 -} - -travis-branch-commit \ No newline at end of file diff --git a/.travis/xmllint-check.sh b/.travis/xmllint-check.sh deleted file mode 100644 index ac2f81b1..00000000 --- a/.travis/xmllint-check.sh +++ /dev/null @@ -1,4 +0,0 @@ -#!/bin/bash -/usr/bin/find . -name "*.xsd" -type f | while read i; do XMLLINT_INDENT=" " xmllint --pretty 1 "$i" > "$i.pretty"; mv "$i.pretty" "$i"; done; /usr/bin/find . -name "*.xml" -type f | while read i; do XMLLINT_INDENT=" " xmllint --pretty 1 "$i" > "$i.pretty"; mv "$i.pretty" "$i"; done; /usr/bin/find . -name "*.wsdl" -type f | while read i; do XMLLINT_INDENT=" " xmllint --pretty 1 "$i" > "$i.pretty"; mv "$i.pretty" "$i"; done; -echo "finished formatting" -find examples/ -iname "*.xml" | xargs xmllint --noout --schema xsd/siri.xsd \ No newline at end of file diff --git a/examples/siri_exa_framework/exa_checkStatus_request.xml b/examples/siri_exa_framework/exa_checkStatus_request.xml index 8a3d8b7c..ab342758 100644 --- a/examples/siri_exa_framework/exa_checkStatus_request.xml +++ b/examples/siri_exa_framework/exa_checkStatus_request.xml @@ -1,9 +1,9 @@ - - - 2004-12-17T09:30:47-05:00 - EREWHON - + + + 2004-12-17T09:30:47-05:00 + EREWHON + diff --git a/examples/siri_exa_framework/exa_checkStatus_response.xml b/examples/siri_exa_framework/exa_checkStatus_response.xml index cd361cad..90aae93f 100644 --- a/examples/siri_exa_framework/exa_checkStatus_response.xml +++ b/examples/siri_exa_framework/exa_checkStatus_response.xml @@ -1,11 +1,11 @@ - - 2001-12-17T09:30:47-05:00 - true - 2004-12-17T19:30:47-05:00 - PT2M - 2004-12-17T09:30:47-05:00 - + + 2001-12-17T09:30:47-05:00 + true + 2004-12-17T19:30:47-05:00 + PT2M + 2004-12-17T09:30:47-05:00 + diff --git a/examples/siri_exa_framework/exa_dataReady_request.xml b/examples/siri_exa_framework/exa_dataReady_request.xml index 2df43564..a8ae363d 100644 --- a/examples/siri_exa_framework/exa_dataReady_request.xml +++ b/examples/siri_exa_framework/exa_dataReady_request.xml @@ -1,8 +1,8 @@ - - 2004-12-17T09:30:47-05:00 - KUBRICK - + + 2004-12-17T09:30:47-05:00 + KUBRICK + diff --git a/examples/siri_exa_framework/exa_dataReady_response.xml b/examples/siri_exa_framework/exa_dataReady_response.xml index 85b7899d..7ec03161 100644 --- a/examples/siri_exa_framework/exa_dataReady_response.xml +++ b/examples/siri_exa_framework/exa_dataReady_response.xml @@ -1,9 +1,9 @@ - - 2004-12-17T09:30:47-05:00 - NADER - true - + + 2004-12-17T09:30:47-05:00 + NADER + true + diff --git a/examples/siri_exa_framework/exa_dataReceived_response.xml b/examples/siri_exa_framework/exa_dataReceived_response.xml index b9f1a160..052a5b75 100644 --- a/examples/siri_exa_framework/exa_dataReceived_response.xml +++ b/examples/siri_exa_framework/exa_dataReceived_response.xml @@ -1,10 +1,10 @@ - - 2001-12-17T09:30:47-05:00 - NADER - 012225678 - true - + + 2001-12-17T09:30:47-05:00 + NADER + 012225678 + true + diff --git a/examples/siri_exa_framework/exa_dataSupply_request.xml b/examples/siri_exa_framework/exa_dataSupply_request.xml index cebea5b8..61255d01 100644 --- a/examples/siri_exa_framework/exa_dataSupply_request.xml +++ b/examples/siri_exa_framework/exa_dataSupply_request.xml @@ -1,10 +1,10 @@ - - 2004-12-17T09:30:47-05:00 - NADER - ABCDE0 - false - + + 2004-12-17T09:30:47-05:00 + NADER + ABCDE0 + false + diff --git a/examples/siri_exa_framework/exa_heartbeat_request.xml b/examples/siri_exa_framework/exa_heartbeat_request.xml index cfeb8d67..b67fb686 100644 --- a/examples/siri_exa_framework/exa_heartbeat_request.xml +++ b/examples/siri_exa_framework/exa_heartbeat_request.xml @@ -1,12 +1,12 @@ - - 2004-12-17T09:30:47-05:00 - KUBRICK - true - 2004-12-17T09:30:47-05:00 - P1Y2M3DT10H30M - 2004-12-17T09:30:47-05:00 - + + 2004-12-17T09:30:47-05:00 + KUBRICK + true + 2004-12-17T09:30:47-05:00 + P1Y2M3DT10H30M + 2004-12-17T09:30:47-05:00 + diff --git a/examples/siri_exa_framework/exa_requestSubscription_response.xml b/examples/siri_exa_framework/exa_requestSubscription_response.xml index ca033b8d..6d678d25 100644 --- a/examples/siri_exa_framework/exa_requestSubscription_response.xml +++ b/examples/siri_exa_framework/exa_requestSubscription_response.xml @@ -1,23 +1,23 @@ - - 2004-12-17T09:30:47-05:00 - EREWHON - - 2004-12-17T09:30:47-05:01 - 0003456 - true - 2004-12-17T09:30:47-05:00 - P1Y2M3DT10H30M - - - 2004-12-17T09:30:47-05:02 - 0003457 - false - - - - - + + 2004-12-17T09:30:47-05:00 + EREWHON + + 2004-12-17T09:30:47-05:01 + 0003456 + true + 2004-12-17T09:30:47-05:00 + P1Y2M3DT10H30M + + + 2004-12-17T09:30:47-05:02 + 0003457 + false + + + + + diff --git a/examples/siri_exa_framework/exa_subscriptionTerminated_notification.xml b/examples/siri_exa_framework/exa_subscriptionTerminated_notification.xml index 8323ca00..a77e4a9b 100644 --- a/examples/siri_exa_framework/exa_subscriptionTerminated_notification.xml +++ b/examples/siri_exa_framework/exa_subscriptionTerminated_notification.xml @@ -1,14 +1,14 @@ - - 2004-12-17T09:30:47-05:00 - KUBRICK - NADER - 987653 - - - Weekly restart - - + + 2004-12-17T09:30:47-05:00 + KUBRICK + NADER + 987653 + + + Weekly restart + + diff --git a/examples/siri_exa_framework/exa_terminateSubscription_request.xml b/examples/siri_exa_framework/exa_terminateSubscription_request.xml index b8822f72..ee8a712a 100644 --- a/examples/siri_exa_framework/exa_terminateSubscription_request.xml +++ b/examples/siri_exa_framework/exa_terminateSubscription_request.xml @@ -1,9 +1,9 @@ - - 2004-12-17T09:30:47-05:00 - NADER - - + + 2004-12-17T09:30:47-05:00 + NADER + + diff --git a/examples/siri_exa_framework/exa_terminateSubscription_response.xml b/examples/siri_exa_framework/exa_terminateSubscription_response.xml index aebd926b..e54b8ab3 100644 --- a/examples/siri_exa_framework/exa_terminateSubscription_response.xml +++ b/examples/siri_exa_framework/exa_terminateSubscription_response.xml @@ -1,14 +1,14 @@ - - 2004-12-17T09:30:47-05:00 - KUBRICK - - 2004-12-17T09:30:47-05:00 - NADER - 0000456 - true - - + + 2004-12-17T09:30:47-05:00 + KUBRICK + + 2004-12-17T09:30:47-05:00 + NADER + 0000456 + true + + diff --git a/examples/siri_exa_framework/exa_terminateSubscription_response_err.xml b/examples/siri_exa_framework/exa_terminateSubscription_response_err.xml index e26d5ec5..7b51a817 100644 --- a/examples/siri_exa_framework/exa_terminateSubscription_response_err.xml +++ b/examples/siri_exa_framework/exa_terminateSubscription_response_err.xml @@ -1,15 +1,15 @@ - - 2004-12-17T09:30:47-05:00 - KUBRICK - - 987653 - false - - - - - + + 2004-12-17T09:30:47-05:00 + KUBRICK + + 987653 + false + + + + + diff --git a/examples/siri_exm_CM/exc_connectionMonitoringDistributor_response.xml b/examples/siri_exm_CM/exc_connectionMonitoringDistributor_response.xml index da2bcbc7..1e4a872c 100644 --- a/examples/siri_exm_CM/exc_connectionMonitoringDistributor_response.xml +++ b/examples/siri_exm_CM/exc_connectionMonitoringDistributor_response.xml @@ -1,83 +1,83 @@ - - - 2004-12-17T09:30:46-05:00 - KUBRICK - true - - - 2001-12-17T09:30:47.0Z - 12345 - true - - - 2001-12-17T09:30:47-05:00 - HLKT00023 - 001 - - ABC - Out - - - 2001-12-17 - 8776654986 - - 2001-12-17T09:30:47-05:00 - - - - 2001-12-17T09:30:47-05:00 - HLKT00022 - 001 - - A11C - OUT - - 2001-12-17 - 09876 - - Line A11C - Outbound - 1s23 - School - CyclesPermitted - LowFloors - Purgatory - Paradise - from A to B - 2001-12-17T08:30:47-05:00 - 2001-12-17T10:30:47-05:00 - 12345 - 89765 - V987 - true - 2001-12-17T09:34:47-05:00 - - - 2001-12-17 - 87766545677 - - Will now leave from platform 6 - - - - 2001-12-17T09:30:47-05:00 - 987259 - 2 - - 123 - OUT - Line 123 - Outbound - - - 2001-12-17 - 09867 - - Short staff - - - + + + 2004-12-17T09:30:46-05:00 + KUBRICK + true + + + 2001-12-17T09:30:47.0Z + 12345 + true + + + 2001-12-17T09:30:47-05:00 + HLKT00023 + 001 + + ABC + Out + + + 2001-12-17 + 8776654986 + + 2001-12-17T09:30:47-05:00 + + + + 2001-12-17T09:30:47-05:00 + HLKT00022 + 001 + + A11C + OUT + + 2001-12-17 + 09876 + + Line A11C + Outbound + 1s23 + School + CyclesPermitted + LowFloors + Purgatory + Paradise + from A to B + 2001-12-17T08:30:47-05:00 + 2001-12-17T10:30:47-05:00 + 12345 + 89765 + V987 + true + 2001-12-17T09:34:47-05:00 + + + 2001-12-17 + 87766545677 + + Will now leave from platform 6 + + + + 2001-12-17T09:30:47-05:00 + 987259 + 2 + + 123 + OUT + Line 123 + Outbound + + + 2001-12-17 + 09867 + + Short staff + + + diff --git a/examples/siri_exm_CM/exc_connectionMonitoringFeeder_response.xml b/examples/siri_exm_CM/exc_connectionMonitoringFeeder_response.xml index d9fcfef2..50a8abc2 100644 --- a/examples/siri_exm_CM/exc_connectionMonitoringFeeder_response.xml +++ b/examples/siri_exm_CM/exc_connectionMonitoringFeeder_response.xml @@ -1,66 +1,65 @@ - - - 2004-12-17T09:30:46-05:00 - KUBRICK - true - false - - - 2001-12-17T09:30:47-05:00 - http://www.xmlspy.com - true - 2001-12-17T09:30:47-05:00 - - 2001-12-17T09:30:47-05:00 - 2001-12-17T09:30:47-05:00 - 98789 - 2 - Erehwon - - 123 - OUT - - 1967-08-13 - 09876 - - Line 123 - Outbound - 123 - School - CyclesPermitted - LowFloors - Purgatory - Paradise - from A to B - 2001-12-17T08:30:47-05:00 - 2001-12-17T10:30:47-05:00 - 12345 - 89765 - V987 - true - 2001-12-17T08:35:47-05:00 - - false - 12 - 2001-12-17T09:30:47-05:00 - - - 2001-12-17T09:30:47-05:00 - 987259 - 2 - 123 - OUT - - 1967-08-13 - 09867 - - Line 123 - Outbound - Short staff - - - + + + 2004-12-17T09:30:46-05:00 + KUBRICK + true + false + + + 2001-12-17T09:30:47-05:00 + true + 2001-12-17T09:30:47-05:00 + + 2001-12-17T09:30:47-05:00 + 2001-12-17T09:30:47-05:00 + 98789 + 2 + Erehwon + + 123 + OUT + + 1967-08-13 + 09876 + + Line 123 + Outbound + 123 + School + CyclesPermitted + LowFloors + Purgatory + Paradise + from A to B + 2001-12-17T08:30:47-05:00 + 2001-12-17T10:30:47-05:00 + 12345 + 89765 + V987 + true + 2001-12-17T08:35:47-05:00 + + false + 12 + 2001-12-17T09:30:47-05:00 + + + 2001-12-17T09:30:47-05:00 + 987259 + 2 + 123 + OUT + + 1967-08-13 + 09867 + + Line 123 + Outbound + Short staff + + + diff --git a/examples/siri_exm_CM/exc_connectionMonitoring_capabilitiesResponse.xml b/examples/siri_exm_CM/exc_connectionMonitoring_capabilitiesResponse.xml index 1f6b5161..ef34acfe 100644 --- a/examples/siri_exm_CM/exc_connectionMonitoring_capabilitiesResponse.xml +++ b/examples/siri_exm_CM/exc_connectionMonitoring_capabilitiesResponse.xml @@ -1,71 +1,71 @@ - 2001-12-17T09:30:47.0Z - http://www.mytransportco.eu - true - - - - cpidId001 - - String - - - - - true - true - - - true - true - - true - true - true - true - - - PT60M - true - true - true - - - en - - - - true - true - - - true - true - true - true - - - - - - - - true - true - - - true - - - true - - - true - - - - - + 2001-12-17T09:30:47.0Z + http://www.mytransportco.eu + true + + + + cpidId001 + + String + + + + + true + true + + + true + true + + true + true + true + true + + + PT60M + true + true + true + + + en + + + + true + true + + + true + true + true + true + + + + + + + + true + true + + + true + + + true + + + true + + + + + diff --git a/examples/siri_exm_CM/exc_connectionMonitoring_request.xml b/examples/siri_exm_CM/exc_connectionMonitoring_request.xml index 0df04e9f..099f0d78 100644 --- a/examples/siri_exm_CM/exc_connectionMonitoring_request.xml +++ b/examples/siri_exm_CM/exc_connectionMonitoring_request.xml @@ -1,30 +1,29 @@ - - - - 2004-12-17T09:30:47-05:00 - NADER - - - 2004-12-17T09:30:47-05:00 - - EH00001 - - ABC56789 - 2004-12-17T10:00:47-05:00 - - - - - 2004-12-17T09:30:47-05:00 - - PT10M - EH00002 - - LINE77 - OUT - - - + + + 2004-12-17T09:30:47-05:00 + NADER + + + 2004-12-17T09:30:47-05:00 + + EH00001 + + ABC56789 + 2004-12-17T10:00:47-05:00 + + + + + 2004-12-17T09:30:47-05:00 + + PT10M + EH00002 + + LINE77 + OUT + + + diff --git a/examples/siri_exm_CM/exc_connectionMonitoring_subscriptionRequest.xml b/examples/siri_exm_CM/exc_connectionMonitoring_subscriptionRequest.xml index c5bea571..75688691 100644 --- a/examples/siri_exm_CM/exc_connectionMonitoring_subscriptionRequest.xml +++ b/examples/siri_exm_CM/exc_connectionMonitoring_subscriptionRequest.xml @@ -1,22 +1,22 @@ - - 2004-12-17T09:30:47-05:00 - NADER - - NADER - 000234 - 2004-12-17T09:30:47-05:00 - - 2004-12-17T09:30:47-05:00 - - EH00001 - - ABC56789 - 2004-12-17T10:00:47-05:00 - - - - + + 2004-12-17T09:30:47-05:00 + NADER + + NADER + 000234 + 2004-12-17T09:30:47-05:00 + + 2004-12-17T09:30:47-05:00 + + EH00001 + + ABC56789 + 2004-12-17T10:00:47-05:00 + + + + diff --git a/examples/siri_exm_CT/exc_connectionTimetable_capabilitiesResponse.xml b/examples/siri_exm_CT/exc_connectionTimetable_capabilitiesResponse.xml index 27bc88cb..9a203e46 100644 --- a/examples/siri_exm_CT/exc_connectionTimetable_capabilitiesResponse.xml +++ b/examples/siri_exm_CT/exc_connectionTimetable_capabilitiesResponse.xml @@ -1,69 +1,69 @@ - 2001-12-17T09:30:47.0Z - http://www.mytransportco.eu - true - - - cpidId001 - - String - - - - - true - true - - - true - true - - true - true - true - true - - - true - true - - - en - - - - true - true - - - true - true - true - true - - - - - 0001 - - - - true - true - - - true - - - true - - - true - - - - - + 2001-12-17T09:30:47.0Z + http://www.mytransportco.eu + true + + + cpidId001 + + String + + + + + true + true + + + true + true + + true + true + true + true + + + true + true + + + en + + + + true + true + + + true + true + true + true + + + + + 0001 + + + + true + true + + + true + + + true + + + true + + + + + diff --git a/examples/siri_exm_CT/exc_connectionTimetable_request.xml b/examples/siri_exm_CT/exc_connectionTimetable_request.xml index 9141bf5a..12f7c8b0 100644 --- a/examples/siri_exm_CT/exc_connectionTimetable_request.xml +++ b/examples/siri_exm_CT/exc_connectionTimetable_request.xml @@ -1,19 +1,19 @@ - - - 2004-12-17T09:30:47-05:00 - NADER - - 2004-12-17T09:30:47-05:00 - - - 2004-12-17T09:30:47-05:00 - 2004-12-17T10:30:47-05:00 - - EH00001 - LINE77 - - + + + 2004-12-17T09:30:47-05:00 + NADER + + 2004-12-17T09:30:47-05:00 + + + 2004-12-17T09:30:47-05:00 + 2004-12-17T10:30:47-05:00 + + EH00001 + LINE77 + + diff --git a/examples/siri_exm_CT/exc_connectionTimetable_response.xml b/examples/siri_exm_CT/exc_connectionTimetable_response.xml index c93d465a..550f9d18 100644 --- a/examples/siri_exm_CT/exc_connectionTimetable_response.xml +++ b/examples/siri_exm_CT/exc_connectionTimetable_response.xml @@ -1,63 +1,62 @@ - - - 2004-12-17T09:30:46-05:00 - KUBRICK - true - false - - - 2001-12-17T09:30:47-05:00 - http://www.xmlspy.com - true - 2001-12-17T09:30:47-05:00 - - 2001-12-17T09:30:47-05:00 - 98789 - 2 - Erehwon - - 123 - OUT - - 1967-08-13 - 09876 - - Line 123 - Outbound - 123 - School - CyclesPermitted - LowFloors - Purgatory - Paradise - from A to B - 2001-12-17T08:30:47-05:00 - 2001-12-17T10:30:47-05:00 - 12345 - 89765 - V987 - true - 2001-12-17T08:35:47-05:00 - - 2001-12-17T09:30:47-05:00 - - - 2001-12-17T09:30:47-05:00 - 98789 - 2 - 123 - OUT - - 1967-08-13 - 09876 - - Line 123 - Outbound - 2001-12-17T09:30:47-05:00 - - - + + + 2004-12-17T09:30:46-05:00 + KUBRICK + true + false + + + 2001-12-17T09:30:47-05:00 + true + 2001-12-17T09:30:47-05:00 + + 2001-12-17T09:30:47-05:00 + 98789 + 2 + Erehwon + + 123 + OUT + + 1967-08-13 + 09876 + + Line 123 + Outbound + 123 + School + CyclesPermitted + LowFloors + Purgatory + Paradise + from A to B + 2001-12-17T08:30:47-05:00 + 2001-12-17T10:30:47-05:00 + 12345 + 89765 + V987 + true + 2001-12-17T08:35:47-05:00 + + 2001-12-17T09:30:47-05:00 + + + 2001-12-17T09:30:47-05:00 + 98789 + 2 + 123 + OUT + + 1967-08-13 + 09876 + + Line 123 + Outbound + 2001-12-17T09:30:47-05:00 + + + diff --git a/examples/siri_exm_CT/exc_connectionTimetable_subscriptionRequest.xml b/examples/siri_exm_CT/exc_connectionTimetable_subscriptionRequest.xml index 70a7e386..06d3894d 100644 --- a/examples/siri_exm_CT/exc_connectionTimetable_subscriptionRequest.xml +++ b/examples/siri_exm_CT/exc_connectionTimetable_subscriptionRequest.xml @@ -1,26 +1,26 @@ - - 2004-12-17T09:30:47-05:00 - NADER - - PT5M - - - NADER - 000234 - 2004-12-17T09:30:47-05:00 - - 2004-12-17T09:30:47-05:00 - - - 2004-12-17T09:30:47-05:00 - 2004-12-17T10:30:47-05:00 - - EH00001 - LINE77 - - - + + 2004-12-17T09:30:47-05:00 + NADER + + PT5M + + + NADER + 000234 + 2004-12-17T09:30:47-05:00 + + 2004-12-17T09:30:47-05:00 + + + 2004-12-17T09:30:47-05:00 + 2004-12-17T10:30:47-05:00 + + EH00001 + LINE77 + + + diff --git a/examples/siri_exm_ET/ext_estimatedTimetable_capabilitiesResponse.xml b/examples/siri_exm_ET/ext_estimatedTimetable_capabilitiesResponse.xml index 0c019fb2..020561a3 100644 --- a/examples/siri_exm_ET/ext_estimatedTimetable_capabilitiesResponse.xml +++ b/examples/siri_exm_ET/ext_estimatedTimetable_capabilitiesResponse.xml @@ -1,68 +1,68 @@ - 2001-12-17T09:30:47.0Z - http://www.mytransportco.eu - true - - - cpidId001 - - String - - - - - true - true - - - true - true - - true - true - true - true - - - true - true - - - en-uk - - - - true - - - true - true - true - true - - - - - 001 - - - - true - true - - - true - - - true - - - true - - - - - + 2001-12-17T09:30:47.0Z + http://www.mytransportco.eu + true + + + cpidId001 + + String + + + + + true + true + + + true + true + + true + true + true + true + + + true + true + + + en-uk + + + + true + + + true + true + true + true + + + + + 001 + + + + true + true + + + true + + + true + + + true + + + + + diff --git a/examples/siri_exm_ET/ext_estimatedTimetable_request.xml b/examples/siri_exm_ET/ext_estimatedTimetable_request.xml index a3e683eb..f749828f 100644 --- a/examples/siri_exm_ET/ext_estimatedTimetable_request.xml +++ b/examples/siri_exm_ET/ext_estimatedTimetable_request.xml @@ -1,22 +1,22 @@ - - - 2004-12-17T09:30:47-05:00 - NADER - - - 2001-12-17T09:30:47-05:00 - P1Y2M3DT10H30M - 0008 - SMOOTH - - - 123 - INBOUND - - - - + + + 2004-12-17T09:30:47-05:00 + NADER + + + 2001-12-17T09:30:47-05:00 + P1Y2M3DT10H30M + 0008 + SMOOTH + + + 123 + INBOUND + + + + diff --git a/examples/siri_exm_ET/ext_estimatedTimetable_response.xml b/examples/siri_exm_ET/ext_estimatedTimetable_response.xml index 59203036..fc585369 100644 --- a/examples/siri_exm_ET/ext_estimatedTimetable_response.xml +++ b/examples/siri_exm_ET/ext_estimatedTimetable_response.xml @@ -1,91 +1,91 @@ - - - 2004-12-17T09:30:46-05:00 - KUBRICK - true - false - - - 2001-12-17T09:30:47-05:00 - NADER - 0004 - true - 2001-12-17T19:30:47-05:00 - P1Y2M3DT10H30M - - 2001-12-17T09:30:47-05:00 - 5645 - - - LZ123 - INBOUND - 00008 - false - 124 - SMOOTH - Cat274 - CyclesPermitted - DisabledAccess - Shoppers Special - Not o bank holidays - true - false - full - - - - 00001 - false - false - seatsAvailable - false - false - Starts here - 2001-12-17T09:30:47-05:00 - noAlighting - 2001-12-17T09:30:47-05:00 - 1 - - - - 00002 - false - false - seatsAvailable - true - 2001-12-17T09:30:47-05:00 - 2001-12-17T09:30:47-05:00 - 4 - 2001-12-17T09:30:47-05:00 - 2001-12-17T09:30:47-05:00 - 3 - - - - 00003 - true - full - 2001-12-17T09:30:47-05:00 - 2001-12-17T09:30:47-05:00 - 5 - 2001-12-17T09:30:47-05:00 - 2001-12-17T09:30:47-05:00 - noBoarding - - - false - - - - LZ123 - INBOUND - 00009 - true - - - - + + + 2004-12-17T09:30:46-05:00 + KUBRICK + true + false + + + 2001-12-17T09:30:47-05:00 + NADER + 0004 + true + 2001-12-17T19:30:47-05:00 + P1Y2M3DT10H30M + + 2001-12-17T09:30:47-05:00 + 5645 + + + LZ123 + INBOUND + 00008 + false + 124 + SMOOTH + Cat274 + CyclesPermitted + DisabledAccess + Shoppers Special + Not o bank holidays + true + false + full + + + + 00001 + false + false + seatsAvailable + false + false + Starts here + 2001-12-17T09:30:47-05:00 + noAlighting + 2001-12-17T09:30:47-05:00 + 1 + + + + 00002 + false + false + seatsAvailable + true + 2001-12-17T09:30:47-05:00 + 2001-12-17T09:30:47-05:00 + 4 + 2001-12-17T09:30:47-05:00 + 2001-12-17T09:30:47-05:00 + 3 + + + + 00003 + true + full + 2001-12-17T09:30:47-05:00 + 2001-12-17T09:30:47-05:00 + 5 + 2001-12-17T09:30:47-05:00 + 2001-12-17T09:30:47-05:00 + noBoarding + + + false + + + + LZ123 + INBOUND + 00009 + true + + + + diff --git a/examples/siri_exm_ET/ext_estimatedTimetable_subscriptionRequest.xml b/examples/siri_exm_ET/ext_estimatedTimetable_subscriptionRequest.xml index 7da31a1b..50d392db 100644 --- a/examples/siri_exm_ET/ext_estimatedTimetable_subscriptionRequest.xml +++ b/examples/siri_exm_ET/ext_estimatedTimetable_subscriptionRequest.xml @@ -1,28 +1,28 @@ - - - 2004-12-17T09:30:47-05:00 - NADER - - - NADER - 000765 - 2001-12-17T09:30:47-05:00 - - 2001-12-17T09:30:47-05:00 - P1Y2M3DT10H30M - 0008 - SMOOTH - - - 123 - INBOUND - - - - P1Y2M3DT10H30M - - + + + 2004-12-17T09:30:47-05:00 + NADER + + + NADER + 000765 + 2001-12-17T09:30:47-05:00 + + 2001-12-17T09:30:47-05:00 + P1Y2M3DT10H30M + 0008 + SMOOTH + + + 123 + INBOUND + + + + P1Y2M3DT10H30M + + diff --git a/examples/siri_exm_FM/exf_facilityMonitoring_capabilitiesResponse.xml b/examples/siri_exm_FM/exf_facilityMonitoring_capabilitiesResponse.xml index bdd9f36f..3d1d4a5e 100644 --- a/examples/siri_exm_FM/exf_facilityMonitoring_capabilitiesResponse.xml +++ b/examples/siri_exm_FM/exf_facilityMonitoring_capabilitiesResponse.xml @@ -1,66 +1,66 @@ - 2001-12-17T09:30:47.0Z - http://www.mytransportco.eu - true - - - cpidId001 - - String - - - - - true - true - - - true - true - - true - true - true - true - - - PT60M - true - true - true - - - en-uk - - - - true - - - true - true - true - - - - - VR23 - - - - true - true - - - true - - - true - - - - - + 2001-12-17T09:30:47.0Z + http://www.mytransportco.eu + true + + + cpidId001 + + String + + + + + true + true + + + true + true + + true + true + true + true + + + PT60M + true + true + true + + + en-uk + + + + true + + + true + true + true + + + + + VR23 + + + + true + true + + + true + + + true + + + + + diff --git a/examples/siri_exm_FM/exf_facilityMonitoring_request.xml b/examples/siri_exm_FM/exf_facilityMonitoring_request.xml index e1b5acb3..4d0a4f1a 100644 --- a/examples/siri_exm_FM/exf_facilityMonitoring_request.xml +++ b/examples/siri_exm_FM/exf_facilityMonitoring_request.xml @@ -1,25 +1,25 @@ - - - - en - P1Y2M3DT10H30M - P1Y2M3DT10H30M - direct - true - false - - - 2004-12-17T09:30:47-05:00 - NADER - - 2004-12-17T09:30:47-05:00 - - P10M - PLACE98765 - 20 - - + + + + en + P1Y2M3DT10H30M + P1Y2M3DT10H30M + direct + true + false + + + 2004-12-17T09:30:47-05:00 + NADER + + 2004-12-17T09:30:47-05:00 + + P10M + PLACE98765 + 20 + + diff --git a/examples/siri_exm_FM/exf_facilityMonitoring_response.xml b/examples/siri_exm_FM/exf_facilityMonitoring_response.xml index b247da82..cbe70fa2 100644 --- a/examples/siri_exm_FM/exf_facilityMonitoring_response.xml +++ b/examples/siri_exm_FM/exf_facilityMonitoring_response.xml @@ -1,95 +1,95 @@ - - - 2004-12-17T09:30:46-05:00 - KUBRICK - true - false - - - 2004-12-17T09:30:47-05:00 - NADER - 2004-12-17T09:30:47-05:00 - true - 2004-12-17T09:30:47-05:00 - PT3M - - - - 134567-L4 - Les Halles sattion Lift 4 - fixedEquipment - - - lift - - - RATP - RATP - - - 2004-12-17T09:30:47-05:00 - 2004-12-17T11:30:47-05:00 - - - - LINE4 - HGALLES - HGALLES - ORT123 - - - true - true - true - - - - suitable - - wheelchair - - - - - - - notAvailable - Lift Broken - - true - - - - 2004-12-17T09:30:47-05:00 - 2004-12-17T11:30:47-05:00 - - false - true - true - - - - - - notSuitable - - wheelchair - true - - - - - - - 13456 - - - otherRoute - - - - + + + 2004-12-17T09:30:46-05:00 + KUBRICK + true + false + + + 2004-12-17T09:30:47-05:00 + NADER + 2004-12-17T09:30:47-05:00 + true + 2004-12-17T09:30:47-05:00 + PT3M + + + + 134567-L4 + Les Halles sattion Lift 4 + fixedEquipment + + + lift + + + RATP + RATP + + + 2004-12-17T09:30:47-05:00 + 2004-12-17T11:30:47-05:00 + + + + LINE4 + HGALLES + HGALLES + ORT123 + + + true + true + true + + + + suitable + + wheelchair + + + + + + + notAvailable + Lift Broken + + true + + + + 2004-12-17T09:30:47-05:00 + 2004-12-17T11:30:47-05:00 + + false + true + true + + + + + + notSuitable + + wheelchair + true + + + + + + + 13456 + + + otherRoute + + + + diff --git a/examples/siri_exm_FM/exf_facilityMonitoring_subscriptionRequest.xml b/examples/siri_exm_FM/exf_facilityMonitoring_subscriptionRequest.xml index 33b82c74..36c4878d 100644 --- a/examples/siri_exm_FM/exf_facilityMonitoring_subscriptionRequest.xml +++ b/examples/siri_exm_FM/exf_facilityMonitoring_subscriptionRequest.xml @@ -1,38 +1,38 @@ - - 2004-12-17T09:30:47-05:00 - NADER - - PT5M - - - NADER - 000234 - 2004-12-17T09:30:47-05:00 - - 2004-12-17T15:30:47-05:00 - PT30M - abcdfr - - true - - - - 000234 - 2004-12-17T15:30:47-05:01 - - 2004-12-17T09:30:47-05:05 - PT30M - - - wheelchair - true - - - - true - - + + 2004-12-17T09:30:47-05:00 + NADER + + PT5M + + + NADER + 000234 + 2004-12-17T09:30:47-05:00 + + 2004-12-17T15:30:47-05:00 + PT30M + abcdfr + + true + + + + 000234 + 2004-12-17T15:30:47-05:01 + + 2004-12-17T09:30:47-05:05 + PT30M + + + wheelchair + true + + + + true + + diff --git a/examples/siri_exm_GM/exm_generalMessage_capabilityResponse.xml b/examples/siri_exm_GM/exm_generalMessage_capabilityResponse.xml index ce73e525..057d9c13 100644 --- a/examples/siri_exm_GM/exm_generalMessage_capabilityResponse.xml +++ b/examples/siri_exm_GM/exm_generalMessage_capabilityResponse.xml @@ -1,67 +1,67 @@ - 2001-12-17T09:30:47-05:00 - http://www.mytransportco.eu - true - - - cpidId001 - - String - - - - - true - true - - - true - false - - true - true - false - false - - - PT60M - true - - - en-uk - - - - false - true - - - - - - - - true - true - - - true - - - - - - NADER - - - false - EMERGENCY - - - - - - + 2001-12-17T09:30:47-05:00 + http://www.mytransportco.eu + true + + + cpidId001 + + String + + + + + true + true + + + true + false + + true + true + false + false + + + PT60M + true + + + en-uk + + + + false + true + + + + + + + + true + true + + + true + + + + + + NADER + + + false + EMERGENCY + + + + + + diff --git a/examples/siri_exm_GM/exm_generalMessage_request.xml b/examples/siri_exm_GM/exm_generalMessage_request.xml index a8710a18..c632e5d2 100644 --- a/examples/siri_exm_GM/exm_generalMessage_request.xml +++ b/examples/siri_exm_GM/exm_generalMessage_request.xml @@ -1,24 +1,24 @@ - - - - en - P1Y2M3DT10H30M - P1Y2M3DT10H30M - direct - true - false - - - 2004-12-17T09:30:47-05:00 - NADER - - 2004-12-17T09:30:47-05:00 - - WARNING - - - + + + + en + P1Y2M3DT10H30M + P1Y2M3DT10H30M + direct + true + false + + + 2004-12-17T09:30:47-05:00 + NADER + + 2004-12-17T09:30:47-05:00 + + WARNING + + + diff --git a/examples/siri_exm_GM/exm_generalMessage_response.xml b/examples/siri_exm_GM/exm_generalMessage_response.xml index f2d8cb13..46b93867 100644 --- a/examples/siri_exm_GM/exm_generalMessage_response.xml +++ b/examples/siri_exm_GM/exm_generalMessage_response.xml @@ -1,30 +1,30 @@ - - - 2004-12-17T09:30:46-05:00 - KUBRICK - true - false - - - 2001-12-17T09:30:47.0Z - 12345 - true - - 2001-12-17T09:30:47.0Z - 00034567 - 2 - WARNINGS - 2001-12-17T09:30:47.0Z - Beware the Ides of March - - - 2001-12-17T09:30:47.0Z - 00034564 - WARNINGS - - - + + + 2004-12-17T09:30:46-05:00 + KUBRICK + true + false + + + 2001-12-17T09:30:47.0Z + 12345 + true + + 2001-12-17T09:30:47.0Z + 00034567 + 2 + WARNINGS + 2001-12-17T09:30:47.0Z + Beware the Ides of March + + + 2001-12-17T09:30:47.0Z + 00034564 + WARNINGS + + + diff --git a/examples/siri_exm_GM/exm_generalMessage_response_embed.xml b/examples/siri_exm_GM/exm_generalMessage_response_embed.xml index 64e82053..84445ba8 100644 --- a/examples/siri_exm_GM/exm_generalMessage_response_embed.xml +++ b/examples/siri_exm_GM/exm_generalMessage_response_embed.xml @@ -1,65 +1,65 @@ - - - 2005-12-17T09:30:46-05:00 - KUBRICK - - - 2005-12-17T09:30:47.0Z - 12345 - true - - 2005-12-17T09:30:47.0Z - 00034567 - 2 - WARNINGS - 2005-12-17T09:30:47.0Z - - - - - 2005-08-18T10:58:11Z - 1323 - verified - open - - 2005-08-18T10:49:00Z - 2005-08-18T23:59:59Z - - signalFailure - normal - false - Routesection information bakerloo - - - - - 01BAK - - R - - - H - - - - - - - 490G00000011 - 1000011 - Baker Street - London - - - - - - - - - - + + + 2005-12-17T09:30:46-05:00 + KUBRICK + + + 2005-12-17T09:30:47.0Z + 12345 + true + + 2005-12-17T09:30:47.0Z + 00034567 + 2 + WARNINGS + 2005-12-17T09:30:47.0Z + + + + + 2005-08-18T10:58:11Z + 1323 + verified + open + + 2005-08-18T10:49:00Z + 2005-08-18T23:59:59Z + + signalFailure + normal + false + Routesection information bakerloo + + + + + 01BAK + + R + + + H + + + + + + + 490G00000011 + 1000011 + Baker Street + London + + + + + + + + + + diff --git a/examples/siri_exm_GM/exm_generalMessage_subscriptionRequest.xml b/examples/siri_exm_GM/exm_generalMessage_subscriptionRequest.xml index 51de6f07..d45a64a1 100644 --- a/examples/siri_exm_GM/exm_generalMessage_subscriptionRequest.xml +++ b/examples/siri_exm_GM/exm_generalMessage_subscriptionRequest.xml @@ -1,19 +1,19 @@ - - 2004-12-17T09:30:47-05:00 - NADER - - PT5M - - - NADER - 000234 - 2004-12-17T09:30:47-05:00 - - 2004-12-17T15:30:47-05:00 - - - + + 2004-12-17T09:30:47-05:00 + NADER + + PT5M + + + NADER + 000234 + 2004-12-17T09:30:47-05:00 + + 2004-12-17T15:30:47-05:00 + + + diff --git a/examples/siri_exm_PT/ext_productionTimetable_capabilitiesResponse.xml b/examples/siri_exm_PT/ext_productionTimetable_capabilitiesResponse.xml index 9f4e1e5a..583e1d79 100644 --- a/examples/siri_exm_PT/ext_productionTimetable_capabilitiesResponse.xml +++ b/examples/siri_exm_PT/ext_productionTimetable_capabilitiesResponse.xml @@ -1,70 +1,70 @@ - 2001-12-17T09:30:47.0Z - http://www.altova.com - true - - - NMTOKEN - - String - - - - - true - true - - - true - true - - true - true - true - true - - - true - true - true - true - - - en-uk - - - - true - - - true - true - true - true - - - - - NMTOKEN - - - - true - true - - - true - - - true - - - true - - - - - + 2001-12-17T09:30:47.0Z + http://www.altova.com + true + + + NMTOKEN + + String + + + + + true + true + + + true + true + + true + true + true + true + + + true + true + true + true + + + en-uk + + + + true + + + true + true + true + true + + + + + NMTOKEN + + + + true + true + + + true + + + true + + + true + + + + + diff --git a/examples/siri_exm_PT/ext_productionTimetable_request.xml b/examples/siri_exm_PT/ext_productionTimetable_request.xml index 405f1712..151f2b1e 100644 --- a/examples/siri_exm_PT/ext_productionTimetable_request.xml +++ b/examples/siri_exm_PT/ext_productionTimetable_request.xml @@ -1,24 +1,24 @@ - - - 2004-12-17T09:30:47-05:00 - NADER - - 2001-12-17T09:30:47-05:00 - - 2001-12-17T14:20:00 - 2001-12-18T14:20:00 - - 002 - Smooth - - - 123 - Outbound - - - - + + + 2004-12-17T09:30:47-05:00 + NADER + + 2001-12-17T09:30:47-05:00 + + 2001-12-17T14:20:00 + 2001-12-18T14:20:00 + + 002 + Smooth + + + 123 + Outbound + + + + diff --git a/examples/siri_exm_PT/ext_productionTimetable_response.xml b/examples/siri_exm_PT/ext_productionTimetable_response.xml index fe2ecb26..1b29e529 100644 --- a/examples/siri_exm_PT/ext_productionTimetable_response.xml +++ b/examples/siri_exm_PT/ext_productionTimetable_response.xml @@ -1,113 +1,113 @@ - - - 2004-12-17T09:30:46-05:00 - KUBRICK - true - false - - - 2001-12-17T09:30:47-05:00 - NADER - 00123456 - true - 2001-12-17T10:30:47-05:00 - - 2001-12-17T09:30:47-05:00 - 1.1 - - 123 - Out - String - Outbound - - Smooth - AllCats - CyclesPermitted - LowStep - Special services at Easter - - true - - - DVC0008767 - VJ123 - false - 123 Out - - Sharp - Plusbus - HailAndRider - LowDoor - WheelchairsAllowed - - Shoppers Special - Not suitable for claustrophobes. - false - true - - - - HLTS00101 - false - false - Limbo - 2001-12-17T09:20:47-05:00 - alighting - 2001-12-17T09:21:47-05:00 - 1 - boarding - - - - HLTS00102 - true - Hell First Circle - 2001-12-17T09:30:47-05:00 - 2001-12-17T09:30:47-05:00 - - V45681 - - 01340 - P3M - - 1 - true - - - - - HLTS00103 - Hell - Can change here to - 2001-12-17T09:35:47-05:00 - 4 - 2001-12-17T09:37:47-05:00 - noBoarding - - I765 - V45678 - - 01345 - HLTS00103 - Gare de Nord - P5M - P3M - P7M - P15M - - 2 - true - true - true - P15M - - - - - - - + + + 2004-12-17T09:30:46-05:00 + KUBRICK + true + false + + + 2001-12-17T09:30:47-05:00 + NADER + 00123456 + true + 2001-12-17T10:30:47-05:00 + + 2001-12-17T09:30:47-05:00 + 1.1 + + 123 + Out + String + Outbound + + Smooth + AllCats + CyclesPermitted + LowStep + Special services at Easter + + true + + + DVC0008767 + VJ123 + false + 123 Out + + Sharp + Plusbus + HailAndRider + LowDoor + WheelchairsAllowed + + Shoppers Special + Not suitable for claustrophobes. + false + true + + + + HLTS00101 + false + false + Limbo + 2001-12-17T09:20:47-05:00 + alighting + 2001-12-17T09:21:47-05:00 + 1 + boarding + + + + HLTS00102 + true + Hell First Circle + 2001-12-17T09:30:47-05:00 + 2001-12-17T09:30:47-05:00 + + V45681 + + 01340 + P3M + + 1 + true + + + + + HLTS00103 + Hell + Can change here to + 2001-12-17T09:35:47-05:00 + 4 + 2001-12-17T09:37:47-05:00 + noBoarding + + I765 + V45678 + + 01345 + HLTS00103 + Gare de Nord + P5M + P3M + P7M + P15M + + 2 + true + true + true + P15M + + + + + + + diff --git a/examples/siri_exm_PT/ext_productionTimetable_subscriptionRequest.xml b/examples/siri_exm_PT/ext_productionTimetable_subscriptionRequest.xml index 37885aeb..241091f8 100644 --- a/examples/siri_exm_PT/ext_productionTimetable_subscriptionRequest.xml +++ b/examples/siri_exm_PT/ext_productionTimetable_subscriptionRequest.xml @@ -1,30 +1,30 @@ - - - 2004-12-17T09:30:47-05:00 - NADER - - - NADER - 0000456 - 2001-12-17T09:30:47-05:00 - - 2001-12-17T09:30:47-05:00 - - 2001-12-17T14:20:00 - 2001-12-18T14:20:00 - - 002 - Smooth - - - 123 - Outbound - - - - - + + + 2004-12-17T09:30:47-05:00 + NADER + + + NADER + 0000456 + 2001-12-17T09:30:47-05:00 + + 2001-12-17T09:30:47-05:00 + + 2001-12-17T14:20:00 + 2001-12-18T14:20:00 + + 002 + Smooth + + + 123 + Outbound + + + + + diff --git a/examples/siri_exm_SM/exp_stopMonitoring_permissions.xml b/examples/siri_exm_SM/exp_stopMonitoring_permissions.xml index 46250ea3..71fef837 100644 --- a/examples/siri_exm_SM/exp_stopMonitoring_permissions.xml +++ b/examples/siri_exm_SM/exp_stopMonitoring_permissions.xml @@ -5,72 +5,72 @@ (C) Copyright 2005-2012 CEN SIRI --> - - - - - true - false - - - true - - - - - false - A1 - - - - - false - Bar - - - - - - NADER - - true - true - - - true - - - - true - A1 - Foo - - - - - false - Bar - - - - - - Va - - true - true - - - true - - - true - - - - false - Bar - - - + + + + + true + false + + + true + + + + + false + A1 + + + + + false + Bar + + + + + + NADER + + true + true + + + true + + + + true + A1 + Foo + + + + + false + Bar + + + + + + Va + + true + true + + + true + + + true + + + + false + Bar + + + diff --git a/examples/siri_exm_SM/exs_stopMonitoring_capabilitiesResponse.xml b/examples/siri_exm_SM/exs_stopMonitoring_capabilitiesResponse.xml index 9aa4e8a5..54e8282d 100644 --- a/examples/siri_exm_SM/exs_stopMonitoring_capabilitiesResponse.xml +++ b/examples/siri_exm_SM/exs_stopMonitoring_capabilitiesResponse.xml @@ -5,105 +5,105 @@ (C) Copyright 2005-2012 CEN SIRI --> - 2005-11-17T09:30:47-05:00 - 12536 - true - - - - true - true - - - true - false - - true - true - false - false - - - PT60M - true - true - true - true - false - true - - - en-uk - de - epsg:4326 - true - false - false - normal - true - true - false - false - - - true - true - - - false - true - true - true - - - true - - - - - - - - - true - true - - - false - - - true - - - true - - - - - NADER - - true - true - - - - true - 101 - - - - - - 22 - - - - 46 - - - - true - - - + 2005-11-17T09:30:47-05:00 + 12536 + true + + + + true + true + + + true + false + + true + true + false + false + + + PT60M + true + true + true + true + false + true + + + en-uk + de + epsg:4326 + true + false + false + normal + true + true + false + false + + + true + true + + + false + true + true + true + + + true + + + + + + + + + true + true + + + false + + + true + + + true + + + + + NADER + + true + true + + + + true + 101 + + + + + + 22 + + + + 46 + + + + true + + + diff --git a/examples/siri_exm_SM/exs_stopMonitoring_request.xml b/examples/siri_exm_SM/exs_stopMonitoring_request.xml index 429cfd27..241dd512 100644 --- a/examples/siri_exm_SM/exs_stopMonitoring_request.xml +++ b/examples/siri_exm_SM/exs_stopMonitoring_request.xml @@ -7,39 +7,39 @@ (C) Copyright 2005-2012 CEN SIRI --> - - - - en - P1Y2M3DT10H30M - P1Y2M3DT10H30M - direct - true - false - - - 2004-12-17T09:30:47-05:00 - MONTECHRISTO - 2B|~2B - NADER - - 2004-12-17T09:30:47-05:00 - - - P10M - EH00001 - OPERATOR22 - LINE77 - OUTBOUND - PLACE98765 - all - - true - 7 - 2 - 20 - calls - true - - + + + + en + P1Y2M3DT10H30M + P1Y2M3DT10H30M + direct + true + false + + + 2004-12-17T09:30:47-05:00 + MONTECHRISTO + 2B|~2B + NADER + + 2004-12-17T09:30:47-05:00 + + + P10M + EH00001 + OPERATOR22 + LINE77 + OUTBOUND + PLACE98765 + all + + true + 7 + 2 + 20 + calls + true + + diff --git a/examples/siri_exm_SM/exs_stopMonitoring_request_simple.xml b/examples/siri_exm_SM/exs_stopMonitoring_request_simple.xml index 4a9166b6..53443301 100644 --- a/examples/siri_exm_SM/exs_stopMonitoring_request_simple.xml +++ b/examples/siri_exm_SM/exs_stopMonitoring_request_simple.xml @@ -5,13 +5,13 @@ (C) Copyright 2005-2012 CEN SIRI --> - - 2004-12-17T09:30:47-05:00 - NADER - - 2004-12-17T09:30:47-05:00 - - EH00001 - - + + 2004-12-17T09:30:47-05:00 + NADER + + 2004-12-17T09:30:47-05:00 + + EH00001 + + diff --git a/examples/siri_exm_SM/exs_stopMonitoring_response.xml b/examples/siri_exm_SM/exs_stopMonitoring_response.xml index 2bbffa75..e76922ca 100644 --- a/examples/siri_exm_SM/exs_stopMonitoring_response.xml +++ b/examples/siri_exm_SM/exs_stopMonitoring_response.xml @@ -9,273 +9,273 @@ (C) Copyright 2005-2012 CEN SIRI --> - - - 2004-12-17T09:30:46-05:00 - KUBRICK - true - false - - - 2004-12-17T09:30:47-05:00 - NADER - 2004-12-17T09:30:47-05:00 - true - 2004-12-17T09:30:47-05:00 - PT3M - HLTST011 - British Museum Stop A - - - 2004-12-17T09:25:46-05:00 - - SED9843214675432 - HLTST011 - CLR7654 - - - Line123 - Out - - 2004-12-17 - Oubound - - - 123 - - OP22 - PDCATEXPRESS - SERVCCAT551 - - PLACE21 - Highbury - - Kensall Green - - - Roman Road - - PLACE45 - Paradise Park - Boris Special - - Kensall Green - - true - false - false - false - reliable - - 180 - 90 - - 23 - 22 - seatsAvailable - PT2M - Service running on time - - - 1 - 3456 - 1 - - BLOCK765 - RUN765 - VEH987654 - - - - HLT0010 - 2 - String - false - 2004-12-17T09:32:43-05:00 - 2004-12-17T09:32:43-05:00 - - - - 0014 - - false - - 180 - 90 - - - 2004-12-17T09:40:46-05:00 - 2004-12-17T09:40:46-05:00 - 2004-12-17T09:42:47-05:00 - 2004-12-17T09:40:47-05:00 - - Bay 5 - - - - - HLTST012 - 4 - Church - false - 2004-12-17T09:30:56-05:00 - 2004-12-17T09:30:56-05:00 - 2004-12-17T09:30:57-05:00 - 2004-12-17T09:30:57-05:00 - - - true - - Hello bus for line 123 ! - - - - 2004-12-17T09:25:46-06:00 - - SED9843214675434 - - - - Line128 - Inbound - - 2004-12-17 - ABC576 - - - String - - OP22 - PDCATEXPRESS - SERVCCAT551 - - PLACE4675 - Chancery Lane - - Picadilly Green - - PLACE1245 - Paradise Park - - Kensall Green - - true - false - - 180 - 90 - - -PT2M - Running Early - - BLOCK6765 - RUN7865 - VEH9876555 - - - - HLT0107 - 002 - Library - false - 2004-12-17T09:30:43-05:00 - - - HLT0109 - 007 - Library - false - 2004-12-17T09:32:44-05:00 - - - HLT0110 - 009 - Library - false - 2004-12-17T09:38:47-05:00 - - - - 0012 - - true - - 180 - 90 - - - early - 2004-12-17T09:42:41-05:00 - 2004-12-17T09:40:41-05:00 - onTime - - - - HLTST112 - 0012 - Hospital - false - 2004-12-17T09:55:47-05:00 - 2004-12-17T09:56:47-05:00 - onTime - - - HLTST113 - 0013 - Starbucks - false - 2004-12-17T10:07:47-05:00 - 2004-12-17T10:09:47-05:00 - - - HLTST114 - 0014 - Station - false - 2004-12-17T10:12:47-05:00 - 2004-12-17T10:33:47-05:00 - - - - Hello bus for line 123 ! - - - - 2004-12-17T09:30:47-05:00 - SED9843214675429 - Arrived - - - - 2004-12-17T09:30:47-05:00 - HLTST113 - 2 - Line123 - Out - - 2004-12-17 - 0987656 - - Arrived - - - - 2004-12-17T09:30:47-05:00 - SED9843214675429 - HLTST011 - 123 - Out - What, will the line stretch out to the crack of doom? - - - - 2004-12-17T09:30:47-05:00 - SED9843214675429 - HLTST011 - 123 - Out - - Hello Stop - - + + + 2004-12-17T09:30:46-05:00 + KUBRICK + true + false + + + 2004-12-17T09:30:47-05:00 + NADER + 2004-12-17T09:30:47-05:00 + true + 2004-12-17T09:30:47-05:00 + PT3M + HLTST011 + British Museum Stop A + + + 2004-12-17T09:25:46-05:00 + + SED9843214675432 + HLTST011 + CLR7654 + + + Line123 + Out + + 2004-12-17 + Oubound + + + 123 + + OP22 + PDCATEXPRESS + SERVCCAT551 + + PLACE21 + Highbury + + Kensall Green + + + Roman Road + + PLACE45 + Paradise Park + Boris Special + + Kensall Green + + true + false + false + false + reliable + + 180 + 90 + + 23 + 22 + seatsAvailable + PT2M + Service running on time + + + 1 + 3456 + 1 + + BLOCK765 + RUN765 + VEH987654 + + + + HLT0010 + 2 + String + false + 2004-12-17T09:32:43-05:00 + 2004-12-17T09:32:43-05:00 + + + + 0014 + + false + + 180 + 90 + + + 2004-12-17T09:40:46-05:00 + 2004-12-17T09:40:46-05:00 + 2004-12-17T09:42:47-05:00 + 2004-12-17T09:40:47-05:00 + + Bay 5 + + + + + HLTST012 + 4 + Church + false + 2004-12-17T09:30:56-05:00 + 2004-12-17T09:30:56-05:00 + 2004-12-17T09:30:57-05:00 + 2004-12-17T09:30:57-05:00 + + + true + + Hello bus for line 123 ! + + + + 2004-12-17T09:25:46-06:00 + + SED9843214675434 + + + + Line128 + Inbound + + 2004-12-17 + ABC576 + + + String + + OP22 + PDCATEXPRESS + SERVCCAT551 + + PLACE4675 + Chancery Lane + + Picadilly Green + + PLACE1245 + Paradise Park + + Kensall Green + + true + false + + 180 + 90 + + -PT2M + Running Early + + BLOCK6765 + RUN7865 + VEH9876555 + + + + HLT0107 + 002 + Library + false + 2004-12-17T09:30:43-05:00 + + + HLT0109 + 007 + Library + false + 2004-12-17T09:32:44-05:00 + + + HLT0110 + 009 + Library + false + 2004-12-17T09:38:47-05:00 + + + + 0012 + + true + + 180 + 90 + + + early + 2004-12-17T09:42:41-05:00 + 2004-12-17T09:40:41-05:00 + onTime + + + + HLTST112 + 0012 + Hospital + false + 2004-12-17T09:55:47-05:00 + 2004-12-17T09:56:47-05:00 + onTime + + + HLTST113 + 0013 + Starbucks + false + 2004-12-17T10:07:47-05:00 + 2004-12-17T10:09:47-05:00 + + + HLTST114 + 0014 + Station + false + 2004-12-17T10:12:47-05:00 + 2004-12-17T10:33:47-05:00 + + + + Hello bus for line 123 ! + + + + 2004-12-17T09:30:47-05:00 + SED9843214675429 + Arrived + + + + 2004-12-17T09:30:47-05:00 + HLTST113 + 2 + Line123 + Out + + 2004-12-17 + 0987656 + + Arrived + + + + 2004-12-17T09:30:47-05:00 + SED9843214675429 + HLTST011 + 123 + Out + What, will the line stretch out to the crack of doom? + + + + 2004-12-17T09:30:47-05:00 + SED9843214675429 + HLTST011 + 123 + Out + + Hello Stop + + diff --git a/examples/siri_exm_SM/exs_stopMonitoring_response_complex.xml b/examples/siri_exm_SM/exs_stopMonitoring_response_complex.xml index 8c6347dd..e6e0c6ca 100644 --- a/examples/siri_exm_SM/exs_stopMonitoring_response_complex.xml +++ b/examples/siri_exm_SM/exs_stopMonitoring_response_complex.xml @@ -9,333 +9,333 @@ (C) Copyright 2005-2012 CEN SIRI --> - - - 2004-12-17T09:30:46-05:00 - KUBRICK - true - false - - - 2004-12-17T09:30:47-05:00 - NADER - 2004-12-17T09:30:47-05:00 - true - 2004-12-17T09:30:47-05:00 - PT3M - HLTST011 - British Museum Stop A - Musee Britannique Halte A - - - 2004-12-17T09:25:46-05:00 - - SED9843214675432 - 2004-12-17T10:25:46-05:00 - HLTST011 - CLR7654 - - - Line123 - Out - - 2004-12-17 - Oubound - - - 123 - - OP22 - PDCATEXPRESS - SERVCCAT551 - - PLACE21 - Highbury - - Kensall Green - - - Roman Road - - PLACE45 - Paradise Park - Parc du Paradis - Boris Special - - Kensall Green - - true - false - false - false - reliable - - 180 - 90 - - 23 - 22 - seatsAvailable - PT2M - Service running on time - inProgress - - - 1 - 3456 - 1 - - BLOCK765 - RUN765 - VEH987654 - DRV654 - N.I.Blick - - - - HLT0010 - 2 - Town Hall - Hotel de Ville - false - 2004-12-17T09:32:43-05:00 - 2004-12-17T09:32:43-05:00 - - - - 0014 - - true - - 180 - 90 - - - 2004-12-17T09:40:46-05:00 - 2004-12-17T09:40:46-05:00 - arrived - 2004-12-17T09:42:47-05:00 - 2004-12-17T09:40:47-05:00 - - arrived - Bay 5 - - - - - HLTST012 - 4 - Church - Eglise - false - 2004-12-17T09:30:56-05:00 - 2004-12-17T09:30:56-05:00 - 2004-12-17T09:30:57-05:00 - 2004-12-17T09:30:57-05:00 - - - true - - Hello bus for line 123 ! - Shelter - - - - 2004-12-17T09:25:46-06:00 - - SED9843214675434 - - - - Line128 - Inbound - - 2004-12-17 - ABC576 - - Rt24 - - 24 - To Library - Line128 - - OP22 - PDCATEXPRESS - SERVCCAT551 - 444 - 446 - - PLACE4675 - Chancery Lane - - Picadilly Green - - PLACE1245 - Paradise Park - - Accessiblity help available from driver - - 02134567 - - - true - 2004-12-17T09:30:42-00:00 - 2004-12-17T10:12:47-05:00 - otherService - - - - Low - Low Floo vehicler - notAvailable - - - false - palletAccess_lowFloor - - - - true - false - false - true - abcd - reliable - - 53 - 0.1 - - -PT2M - Running Early - - BLOCK6765 - RUN7865 - VEH9876555 - - - - HLT0107 - 002 - Library - false - 2004-12-17T09:30:42-00:00 - 2004-12-17T09:30:43-05:00 - - - HLT0109 - 007 - Library - false - 2004-12-17T09:32:44-05:00 - - - HLT0110 - 009 - Library - false - 2004-12-17T09:38:47-05:00 - - - - 0012 - - true - - 180 - 90 - - - early - 2004-12-17T09:42:41-05:00 - 2004-12-17T09:40:41-05:00 - onTime - - - - HLTST112 - 0012 - Hospital - false - 2004-12-17T09:55:47-05:00 - 2004-12-17T09:56:47-05:00 - 2004-12-17T09:55:47-05:00 - - reliable - 0.9 - 2004-12-17T09:55:47-05:00 - 2004-12-17T09:58:47-05:00 - - 2004-12-17T09:55:47-05:00 - onTime - Approaching stop - 2 - PT10M - PT11M - 750 - 1 - - - HLTST113 - 0013 - Starbucks - false - 2004-12-17T10:07:47-05:00 - 2004-12-17T10:09:47-05:00 - 2000 - 2 - - - HLTST114 - 0014 - Station - false - 2004-12-17T10:12:47-05:00 - onTime - 2 - 4000 - 3 - - - - Hello bus for line 123 ! - - - - 2004-12-17T09:30:47-05:00 - SED9843214675429 - Arrived - - - - 2004-12-17T09:30:47-05:00 - HLTST113 - 2 - Line123 - Out - - 2004-12-17 - 0987656 - - Arrived - - - - 2004-12-17T09:30:47-05:00 - SED9843214675429 - HLTST011 - 123 - Out - What, will the line stretch out to the crack of doom? - - - - 2004-12-17T09:30:47-05:00 - SED9843214675429 - HLTST011 - 123 - Out - - Hello Stop - - + + + 2004-12-17T09:30:46-05:00 + KUBRICK + true + false + + + 2004-12-17T09:30:47-05:00 + NADER + 2004-12-17T09:30:47-05:00 + true + 2004-12-17T09:30:47-05:00 + PT3M + HLTST011 + British Museum Stop A + Musee Britannique Halte A + + + 2004-12-17T09:25:46-05:00 + + SED9843214675432 + 2004-12-17T10:25:46-05:00 + HLTST011 + CLR7654 + + + Line123 + Out + + 2004-12-17 + Oubound + + + 123 + + OP22 + PDCATEXPRESS + SERVCCAT551 + + PLACE21 + Highbury + + Kensall Green + + + Roman Road + + PLACE45 + Paradise Park + Parc du Paradis + Boris Special + + Kensall Green + + true + false + false + false + reliable + + 180 + 90 + + 23 + 22 + seatsAvailable + PT2M + Service running on time + inProgress + + + 1 + 3456 + 1 + + BLOCK765 + RUN765 + VEH987654 + DRV654 + N.I.Blick + + + + HLT0010 + 2 + Town Hall + Hotel de Ville + false + 2004-12-17T09:32:43-05:00 + 2004-12-17T09:32:43-05:00 + + + + 0014 + + true + + 180 + 90 + + + 2004-12-17T09:40:46-05:00 + 2004-12-17T09:40:46-05:00 + arrived + 2004-12-17T09:42:47-05:00 + 2004-12-17T09:40:47-05:00 + + arrived + Bay 5 + + + + + HLTST012 + 4 + Church + Eglise + false + 2004-12-17T09:30:56-05:00 + 2004-12-17T09:30:56-05:00 + 2004-12-17T09:30:57-05:00 + 2004-12-17T09:30:57-05:00 + + + true + + Hello bus for line 123 ! + Shelter + + + + 2004-12-17T09:25:46-06:00 + + SED9843214675434 + + + + Line128 + Inbound + + 2004-12-17 + ABC576 + + Rt24 + + 24 + To Library + Line128 + + OP22 + PDCATEXPRESS + SERVCCAT551 + 444 + 446 + + PLACE4675 + Chancery Lane + + Picadilly Green + + PLACE1245 + Paradise Park + + Accessiblity help available from driver + + 02134567 + + + true + 2004-12-17T09:30:42-00:00 + 2004-12-17T10:12:47-05:00 + otherService + + + + Low + Low Floo vehicler + notAvailable + + + false + palletAccess_lowFloor + + + + true + false + false + true + abcd + reliable + + 53 + 0.1 + + -PT2M + Running Early + + BLOCK6765 + RUN7865 + VEH9876555 + + + + HLT0107 + 002 + Library + false + 2004-12-17T09:30:42-00:00 + 2004-12-17T09:30:43-05:00 + + + HLT0109 + 007 + Library + false + 2004-12-17T09:32:44-05:00 + + + HLT0110 + 009 + Library + false + 2004-12-17T09:38:47-05:00 + + + + 0012 + + true + + 180 + 90 + + + early + 2004-12-17T09:42:41-05:00 + 2004-12-17T09:40:41-05:00 + onTime + + + + HLTST112 + 0012 + Hospital + false + 2004-12-17T09:55:47-05:00 + 2004-12-17T09:56:47-05:00 + 2004-12-17T09:55:47-05:00 + + reliable + 0.9 + 2004-12-17T09:55:47-05:00 + 2004-12-17T09:58:47-05:00 + + 2004-12-17T09:55:47-05:00 + onTime + Approaching stop + 2 + PT10M + PT11M + 750 + 1 + + + HLTST113 + 0013 + Starbucks + false + 2004-12-17T10:07:47-05:00 + 2004-12-17T10:09:47-05:00 + 2000 + 2 + + + HLTST114 + 0014 + Station + false + 2004-12-17T10:12:47-05:00 + onTime + 2 + 4000 + 3 + + + + Hello bus for line 123 ! + + + + 2004-12-17T09:30:47-05:00 + SED9843214675429 + Arrived + + + + 2004-12-17T09:30:47-05:00 + HLTST113 + 2 + Line123 + Out + + 2004-12-17 + 0987656 + + Arrived + + + + 2004-12-17T09:30:47-05:00 + SED9843214675429 + HLTST011 + 123 + Out + What, will the line stretch out to the crack of doom? + + + + 2004-12-17T09:30:47-05:00 + SED9843214675429 + HLTST011 + 123 + Out + + Hello Stop + + diff --git a/examples/siri_exm_SM/exs_stopMonitoring_response_simple.xml b/examples/siri_exm_SM/exs_stopMonitoring_response_simple.xml index c2396dc2..4ad8208b 100644 --- a/examples/siri_exm_SM/exs_stopMonitoring_response_simple.xml +++ b/examples/siri_exm_SM/exs_stopMonitoring_response_simple.xml @@ -5,53 +5,53 @@ (C) Copyright 2005-2012 CEN SIRI --> - - - 2004-12-17T09:30:46-05:00 - KUBRICK - true - - - 2004-12-17T09:30:47-05:00 - NADER - 2004-12-17T09:30:47-05:00 - HLTST011 - - - 2004-12-17T09:25:46-05:00 - HLTST011 - - 123 - OP22 - Paradise Park - Service running on time - - 2004-12-17T09:42:47-05:00 - 2004-12-17T09:40:47-05:00 - - - - - 2004-12-17T09:25:46-06:00 - HLTST011 - - 128 - Running Early - - true - 2004-12-17T09:42:41-05:00 - 2004-12-17T09:40:41-05:00 - onTime - - - - - 2004-12-17T09:30:47-05:00 - HLTST011 - 123 - Out - Happy Easter to all our customers!? - - - + + + 2004-12-17T09:30:46-05:00 + KUBRICK + true + + + 2004-12-17T09:30:47-05:00 + NADER + 2004-12-17T09:30:47-05:00 + HLTST011 + + + 2004-12-17T09:25:46-05:00 + HLTST011 + + 123 + OP22 + Paradise Park + Service running on time + + 2004-12-17T09:42:47-05:00 + 2004-12-17T09:40:47-05:00 + + + + + 2004-12-17T09:25:46-06:00 + HLTST011 + + 128 + Running Early + + true + 2004-12-17T09:42:41-05:00 + 2004-12-17T09:40:41-05:00 + onTime + + + + + 2004-12-17T09:30:47-05:00 + HLTST011 + 123 + Out + Happy Easter to all our customers!? + + + diff --git a/examples/siri_exm_SM/exs_stopMonitoring_subscriptionRequest.xml b/examples/siri_exm_SM/exs_stopMonitoring_subscriptionRequest.xml index 535d9b56..a4dadf7b 100644 --- a/examples/siri_exm_SM/exs_stopMonitoring_subscriptionRequest.xml +++ b/examples/siri_exm_SM/exs_stopMonitoring_subscriptionRequest.xml @@ -7,59 +7,59 @@ (C) Copyright 2005-2012 CEN SIRI --> - - 2004-12-17T09:30:47-05:00 - NADER - - PT5M - - - NADER - 000234 - 2004-12-17T09:30:47-05:00 - - 2004-12-17T15:30:47-05:00 - PT30M - POIT5678 - OP22 - LINE23 - DIR03 - PLACE457 - all - 2 - 2 - 20 - calls - - true - PT2M - - - - 000234 - 2004-12-17T15:30:47-05:01 - - 2004-12-17T09:30:47-05:05 - PT30M - POIT5678 - 10 - - true - PT2M - - - - 000235 - 2004-12-17T15:30:47-05:01 - - 2004-12-17T09:30:47-05:06 - PT30M - POIT5678 - LINE23 - PLACE457 - - true - PT2M - - + + 2004-12-17T09:30:47-05:00 + NADER + + PT5M + + + NADER + 000234 + 2004-12-17T09:30:47-05:00 + + 2004-12-17T15:30:47-05:00 + PT30M + POIT5678 + OP22 + LINE23 + DIR03 + PLACE457 + all + 2 + 2 + 20 + calls + + true + PT2M + + + + 000234 + 2004-12-17T15:30:47-05:01 + + 2004-12-17T09:30:47-05:05 + PT30M + POIT5678 + 10 + + true + PT2M + + + + 000235 + 2004-12-17T15:30:47-05:01 + + 2004-12-17T09:30:47-05:06 + PT30M + POIT5678 + LINE23 + PLACE457 + + true + PT2M + + diff --git a/examples/siri_exm_SM/exs_stopMonitoring_subscriptionRequest_simple.xml b/examples/siri_exm_SM/exs_stopMonitoring_subscriptionRequest_simple.xml index bd736369..d2ae9a7c 100644 --- a/examples/siri_exm_SM/exs_stopMonitoring_subscriptionRequest_simple.xml +++ b/examples/siri_exm_SM/exs_stopMonitoring_subscriptionRequest_simple.xml @@ -7,20 +7,20 @@ (C) Copyright 2005-2012 CEN SIRI --> - - 2004-12-17T09:30:47-05:00 - NADER - - NADER - 000234 - 2004-12-17T09:30:47-05:00 - - 2004-12-17T15:30:47-05:00 - POIT5678 - normal - - false - PT2M - - + + 2004-12-17T09:30:47-05:00 + NADER + + NADER + 000234 + 2004-12-17T09:30:47-05:00 + + 2004-12-17T15:30:47-05:00 + POIT5678 + normal + + false + PT2M + + diff --git a/examples/siri_exm_ST/exs_stopTimetable_capabilitiesResponse.xml b/examples/siri_exm_ST/exs_stopTimetable_capabilitiesResponse.xml index 762a7f0d..8e70cba7 100644 --- a/examples/siri_exm_ST/exs_stopTimetable_capabilitiesResponse.xml +++ b/examples/siri_exm_ST/exs_stopTimetable_capabilitiesResponse.xml @@ -1,83 +1,83 @@ - 2001-12-17T09:30:47-05:00 - http://www.mytransportco.eu - true - - - cpidId001 - - Capability supported - - - - - true - true - - - true - false - - true - true - false - false - - - true - true - true - - - en - - true - false - - - false - true - true - true - - - - - - - true - true - - - false - - - true - - - true - - - - NADER - - true - true - - - - true - 101 - - - - true - - - true - - - + 2001-12-17T09:30:47-05:00 + http://www.mytransportco.eu + true + + + cpidId001 + + Capability supported + + + + + true + true + + + true + false + + true + true + false + false + + + true + true + true + + + en + + true + false + + + false + true + true + true + + + + + + + true + true + + + false + + + true + + + true + + + + NADER + + true + true + + + + true + 101 + + + + true + + + true + + + diff --git a/examples/siri_exm_ST/exs_stopTimetable_request.xml b/examples/siri_exm_ST/exs_stopTimetable_request.xml index c1bf679a..318336c5 100644 --- a/examples/siri_exm_ST/exs_stopTimetable_request.xml +++ b/examples/siri_exm_ST/exs_stopTimetable_request.xml @@ -5,19 +5,19 @@ (C) Copyright 2005-2012 CEN SIRI --> - - - 2004-12-17T09:30:47-05:00 - NADER - - 2004-12-17T09:30:47-05:00 - - - 2004-12-17T09:30:47-05:00 - 2004-12-17T10:30:47-05:00 - - EH00001 - LINE77 - - + + + 2004-12-17T09:30:47-05:00 + NADER + + 2004-12-17T09:30:47-05:00 + + + 2004-12-17T09:30:47-05:00 + 2004-12-17T10:30:47-05:00 + + EH00001 + LINE77 + + diff --git a/examples/siri_exm_ST/exs_stopTimetable_response.xml b/examples/siri_exm_ST/exs_stopTimetable_response.xml index bcf99ad1..ee9dd2c0 100644 --- a/examples/siri_exm_ST/exs_stopTimetable_response.xml +++ b/examples/siri_exm_ST/exs_stopTimetable_response.xml @@ -1,47 +1,47 @@ - - - 2004-12-17T09:30:46-05:00 - KUBRICK - true - - - 2004-12-17T09:30:47-05:00 - NADER - 2004-12-17T09:30:47-05:00 - true - 2004-12-17T09:30:47-05:00 - - - 2004-12-17T09:25:46-05:00 - - HLTST011 - - - Line123 - Out - - 2004-12-17 - Oubound - - - 123 - - PLACE21 - Highbury - PLACE45 - Paradise Park - - - 1 - 2004-12-17T09:40:46-05:00 - 2004-12-17T09:42:47-05:00 - - - - - - + + + 2004-12-17T09:30:46-05:00 + KUBRICK + true + + + 2004-12-17T09:30:47-05:00 + NADER + 2004-12-17T09:30:47-05:00 + true + 2004-12-17T09:30:47-05:00 + + + 2004-12-17T09:25:46-05:00 + + HLTST011 + + + Line123 + Out + + 2004-12-17 + Oubound + + + 123 + + PLACE21 + Highbury + PLACE45 + Paradise Park + + + 1 + 2004-12-17T09:40:46-05:00 + 2004-12-17T09:42:47-05:00 + + + + + + diff --git a/examples/siri_exm_ST/exs_stopTimetable_subscriptionRequest.xml b/examples/siri_exm_ST/exs_stopTimetable_subscriptionRequest.xml index 4ea1d626..1b34f602 100644 --- a/examples/siri_exm_ST/exs_stopTimetable_subscriptionRequest.xml +++ b/examples/siri_exm_ST/exs_stopTimetable_subscriptionRequest.xml @@ -1,26 +1,26 @@ - - 2004-12-17T09:30:47-05:00 - NADER - - PT5M - - - NADER - 000234 - 2004-12-17T09:30:47-05:00 - - 2004-12-17T09:30:47-05:00 - - - 2004-12-17T09:30:47-05:00 - 2004-12-17T10:30:47-05:00 - - EH00001 - LINE77 - - - + + 2004-12-17T09:30:47-05:00 + NADER + + PT5M + + + NADER + 000234 + 2004-12-17T09:30:47-05:00 + + 2004-12-17T09:30:47-05:00 + + + 2004-12-17T09:30:47-05:00 + 2004-12-17T10:30:47-05:00 + + EH00001 + LINE77 + + + diff --git a/examples/siri_exm_SX/VDV736_exm/SX_1010_first_message.xml b/examples/siri_exm_SX/VDV736_exm/SX_1010_first_message.xml index 16534ce6..e9dc86e4 100644 --- a/examples/siri_exm_SX/VDV736_exm/SX_1010_first_message.xml +++ b/examples/siri_exm_SX/VDV736_exm/SX_1010_first_message.xml @@ -1,252 +1,252 @@ - - 2018-10-04T10:11:00+00:00 - ch:VBL -
http:/server/siri/20_ums
- t3xWB5cY3 - true - false - - 2018-10-04T10:11:00+00:00 - ch:VBL - 40599x2dsjmu8yjzy - - - 2017-05-28T10:10:00+02:00 - VBL - 5a7cf4f0-c7a5-11e8-813f-f38697968b53 - 1 - - feed - VBL - - published - - 2017-05-04T10:10:00+02:00 - 2017-05-28T17:10:00+02:00 - - fire - Feuerwehreinsatz in der Haldenstrasse - Fire brigade action at Haldenstrasse - 3 - line - false - DE - Unterbruch zwischen Luzernerhof und Verkehrshaus - Line disruption between Luzernerhof and Verkehrshaus - - - - ch:vbl:622 - Haldensteig - - - - - - disruption - - - - - ch:vbl:VBL006 - 6 - - - ch:vbl:VBL008 - 8 - - - ch:vbl:VBL024 - 24 - - - - - - true - - - - - - - line - - - - - ch:vbl:VBL006 - 6 - - - ch:vbl:VBL008 - 8 - - - ch:vbl:VBL024 - 24 - - - ch:pb:PB073 - 73 - - - - - - - open - 0010 - 2017-05-28T10:10:00+02:00 - VBL - VBL - general - - L - - Unterbruch zwischen Luzernerhof und Verkehrshaus - Line disruption between Luzernerhof and Verkehrshaus - - - Feuerwehreinsatz in der Haldenstrasse - Fire brigade action at Haldenstrasse - - - Betroffen sind die Linien 6, 8, 24 und 73 - Affected lines are 6, 8, 24 and 73 - - - Die Dauer der Störung ist noch unbekannt. - Disruption duration until further notice. - - - Es muss mit Verspätungen, Ausfällen und Umleitungen gerechnet werden. Wir werden sie rasch möglichst detaillierter informieren. - Expect delays, cancellations and diversions. More details to come soon. - - - - - - - line - - - - - ch:vbl:VBL006 - 6 - - - ch:vbl:VBL008 - 8 - - - ch:vbl:VBL024 - 24 - - - ch:pb:PB073 - 73 - - - - - - - open - 0010 - 2017-05-28T10:10:00+02:00 - VBL - VBL - stopPoint - - L - - Unterbruch zwischen Luzernerhof und Verkehrshaus - Line disruption between Luzernerhof and Verkehrshaus - - - Feuerwehreinsatz in der Haldenstrasse - Fire brigade action at Haldenstrasse - - - Betroffen sind die Linien 6, 8, 24 und 73 - Affected lines are 6, 8, 24 and 73 - - - Die Dauer der Störung ist noch unbekannt. - Disruption duration until further notice. - - - Es muss mit Verspätungen, Ausfällen und Umleitungen gerechnet werden. Wir werden sie rasch möglichst detaillierter informieren. - Expect delays, cancellations and diversions. More details to come soon. - - - - - - - line - - - - - ch:vbl:VBL006 - 6 - - - ch:vbl:VBL008 - 8 - - - ch:vbl:VBL024 - 24 - - - ch:pb:PB073 - 73 - - - - - - - open - 0010 - 2017-05-28T10:10:00+02:00 - VBL - VBL - vehicleJourney - - L - - Unterbruch zwischen Luzernerhof und Verkehrshaus - Line disruption between Luzernerhof and Verkehrshaus - - - Feuerwehreinsatz in der Haldenstrasse - Fire brigade action at Haldenstrasse - - - Betroffen sind die Linien 6, 8, 24 und 73 - Affected lines are 6, 8, 24 and 73 - - - Die Dauer der Störung ist noch unbekannt. - Disruption duration until further notice. - - - Es muss mit Verspätungen, Ausfällen und Umleitungen gerechnet werden. Wir werden sie rasch möglichst detaillierter informieren. - Expect delays, cancellations and diversions. More details to come soon. - - - - - - - - -
+ + 2018-10-04T10:11:00+00:00 + ch:VBL +
http:/server/siri/20_ums
+ t3xWB5cY3 + true + false + + 2018-10-04T10:11:00+00:00 + ch:VBL + 40599x2dsjmu8yjzy + + + 2017-05-28T10:10:00+02:00 + VBL + 5a7cf4f0-c7a5-11e8-813f-f38697968b53 + 1 + + feed + VBL + + published + + 2017-05-04T10:10:00+02:00 + 2017-05-28T17:10:00+02:00 + + fire + Feuerwehreinsatz in der Haldenstrasse + Fire brigade action at Haldenstrasse + 3 + line + false + DE + Unterbruch zwischen Luzernerhof und Verkehrshaus + Line disruption between Luzernerhof and Verkehrshaus + + + + ch:vbl:622 + Haldensteig + + + + + + disruption + + + + + ch:vbl:VBL006 + 6 + + + ch:vbl:VBL008 + 8 + + + ch:vbl:VBL024 + 24 + + + + + + true + + + + + + + line + + + + + ch:vbl:VBL006 + 6 + + + ch:vbl:VBL008 + 8 + + + ch:vbl:VBL024 + 24 + + + ch:pb:PB073 + 73 + + + + + + + open + 0010 + 2017-05-28T10:10:00+02:00 + VBL + VBL + general + + L + + Unterbruch zwischen Luzernerhof und Verkehrshaus + Line disruption between Luzernerhof and Verkehrshaus + + + Feuerwehreinsatz in der Haldenstrasse + Fire brigade action at Haldenstrasse + + + Betroffen sind die Linien 6, 8, 24 und 73 + Affected lines are 6, 8, 24 and 73 + + + Die Dauer der Störung ist noch unbekannt. + Disruption duration until further notice. + + + Es muss mit Verspätungen, Ausfällen und Umleitungen gerechnet werden. Wir werden sie rasch möglichst detaillierter informieren. + Expect delays, cancellations and diversions. More details to come soon. + + + + + + + line + + + + + ch:vbl:VBL006 + 6 + + + ch:vbl:VBL008 + 8 + + + ch:vbl:VBL024 + 24 + + + ch:pb:PB073 + 73 + + + + + + + open + 0010 + 2017-05-28T10:10:00+02:00 + VBL + VBL + stopPoint + + L + + Unterbruch zwischen Luzernerhof und Verkehrshaus + Line disruption between Luzernerhof and Verkehrshaus + + + Feuerwehreinsatz in der Haldenstrasse + Fire brigade action at Haldenstrasse + + + Betroffen sind die Linien 6, 8, 24 und 73 + Affected lines are 6, 8, 24 and 73 + + + Die Dauer der Störung ist noch unbekannt. + Disruption duration until further notice. + + + Es muss mit Verspätungen, Ausfällen und Umleitungen gerechnet werden. Wir werden sie rasch möglichst detaillierter informieren. + Expect delays, cancellations and diversions. More details to come soon. + + + + + + + line + + + + + ch:vbl:VBL006 + 6 + + + ch:vbl:VBL008 + 8 + + + ch:vbl:VBL024 + 24 + + + ch:pb:PB073 + 73 + + + + + + + open + 0010 + 2017-05-28T10:10:00+02:00 + VBL + VBL + vehicleJourney + + L + + Unterbruch zwischen Luzernerhof und Verkehrshaus + Line disruption between Luzernerhof and Verkehrshaus + + + Feuerwehreinsatz in der Haldenstrasse + Fire brigade action at Haldenstrasse + + + Betroffen sind die Linien 6, 8, 24 und 73 + Affected lines are 6, 8, 24 and 73 + + + Die Dauer der Störung ist noch unbekannt. + Disruption duration until further notice. + + + Es muss mit Verspätungen, Ausfällen und Umleitungen gerechnet werden. Wir werden sie rasch möglichst detaillierter informieren. + Expect delays, cancellations and diversions. More details to come soon. + + + + + + + + +
diff --git a/examples/siri_exm_SX/VDV736_exm/SX_1022_main_message.xml b/examples/siri_exm_SX/VDV736_exm/SX_1022_main_message.xml index f37ac6dd..aff8f2eb 100644 --- a/examples/siri_exm_SX/VDV736_exm/SX_1022_main_message.xml +++ b/examples/siri_exm_SX/VDV736_exm/SX_1022_main_message.xml @@ -1,2308 +1,2303 @@ - - 2018-10-16T10:22:30+00:00 - ch:VBL -
http:/server/siri/20_ums
- Pgfkw0GAsg - true - false - - 2018-10-16T10:22:30+00:00 - ch:VBL - 40599x2dsjmu8yjzy - - - 2017-05-28T10:22:00+02:00 - VBL - 5a7cf4f0-c7a5-11e8-813f-f38697968b53 - 2 - - feed - VBL - - published - - 2017-05-28T10:10:00+02:00 - 2017-05-28T17:10:00+02:00 - - fire - Feuerwehreinsatz in der Haldenstrasse - Fire brigade action at Haldenstrasse - 3 - route - DE - Unterbruch zwischen Luzernerhof und Verkehrshaus - Line disruption between Luzernerhof and Verkehrshaus - - - http://www.vbl.ch/aktuelles/verkehrsmeldungen/stoerungen/20160603_13? - - - - - - - - ch:vbl:622 - Haldensteig - - - - - - disruption - - - - - ch:vbl:VBL006 - 6 - - ch:vbl:2507::01 - Büttenhalde - - - ch:vbl:VBL006:A - Büttenhalde - - - - ch:vbl:621::01 - Casino-Palace - affectedStopplace - - - ch:vbl:615::01 - Europe - affectedStopplace - - - ch:vbl:616::01 - Dietschiberg - affectedStopplace - - - ch:vbl:617::01 - Verkehrshaus - affectedStopplace - - - - - ch:vbl:VBL006 - 6 - - ch:vbl:601:01 - Matthof - - - ch:vbl:VBL006:B - Matthof - - - - ch:vbl:617::02 - Verkehrshaus - affectedStopplace - - - ch:vbl:616::02 - Dietschiberg - affectedStopplace - - - ch:vbl:615::02 - Europe - affectedStopplace - - - ch:vbl:621::02 - Casino-Palace - affectedStopplace - - - ch:vbl:622::02 - Haldensteig - affectedStopplace - - - - - ch:vbl:VBL008 - 8 - - ch:vbl:620:01 - Würzenbach - - - ch:vbl:VBL008:A - Würzenbach - - - - ch:vbl:621::01 - Casino-Palace - affectedStopplace - - - ch:vbl:615::01 - Europe - affectedStopplace - - - ch:vbl:616::01 - Dietschiberg - affectedStopplace - - - ch:vbl:617::01 - Verkehrshaus - affectedStopplace - - - - - ch:vbl:VBL008 - 8 - - ch:vbl:801:01 - Hirtenhof - - - ch:vbl:VBL008:B - Hirtenhof - - - - ch:vbl:617::02 - Verkehrshaus - affectedStopplace - - - ch:vbl:616::02 - Dietschiberg - affectedStopplace - - - ch:vbl:615::02 - Europe - affectedStopplace - - - ch:vbl:621::02 - Casino-Palace - affectedStopplace - - - ch:vbl:622::02 - Haldensteig - affectedStopplace - - - - - - - - true - true - - - - diverted - - - - - ch:vbl:VBL024 - 24 - - ch:vbl:2433:01 - Tschädigen - - - ch:vbl:VBL024:A - Tschädigen - - - - ch:vbl:121::02 - affectedStopplace - - - ch:vbl:621::01 - Casino-Palace - affectedStopplace - - - ch:vbl:617::01 - Verkehrshaus - affectedStopplace - - - ch:vbl:715::01 - intermediate - - - ch:vbl:716::01 - intermediate - - - ch:vbl:1405::01 - intermediate - - - ch:vbl:1406::01 - intermediate - - - ch:vbl:1407::01 - intermediate - - - ch:vbl:1408::01 - intermediate - - - ch:vbl:1409::01 - intermediate - - - ch:vbl:1410::01 - intermediate - - - ch:vbl:1411::01 - intermediate - - - ch:vbl:1412::01 - intermediate - - - - - ch:vbl:VBL024 - 24 - - ch:vbl:119:13 - Bahnhof - - - ch:vbl:VBL024:B - Bahnhof - - - - ch:vbl:617::02 - Verkehrshaus - affectedStopplace - - - ch:vbl:621::02 - affectedStopplace - - - ch:vbl:622::02 - affectedStopplace - - - ch:vbl:1412::02 - intermediate - - - ch:vbl:1411::02 - intermediate - - - ch:vbl:1410::02 - intermediate - - - ch:vbl:1409::02 - intermediate - - - ch:vbl:1408::02 - intermediate - - - ch:vbl:1407::02 - intermediate - - - ch:vbl:1406::02 - intermediate - - - ch:vbl:1405::02 - intermediate - - - ch:vbl:716::02 - intermediate - - - ch:vbl:715::01 - intermediate - - - - - - - - true - true - - - PT7M - - - - - - - line - - - - - ch:vbl:VBL006 - 6 - - - ch:vbl:VBL008 - 8 - - - ch:vbl:VBL024 - 24 - - - ch:pb:PB073 - 73 - - - - - - - open - 0020 - 2017-05-28T10:22:00+02:00 - 1 - vbl - general - - L - - Unterbruch zwischen Luzernerhof und Verkehrshaus - Line disruption between Luzernerhof and Verkehrshaus - - - Feuerwehreinsatz in der Haldenstrasse - Fire brigade action at Haldenstrasse - - - Betroffen sind die Linien 6,8, 24 und 73 - Affected lines are 6, 8, 24 and 73 - - - Linie 6 und 8 fallen zwischen Luzernerhof und Brüelstrasse aus. + + 2018-10-16T10:22:30+00:00 + ch:VBL +
http:/server/siri/20_ums
+ Pgfkw0GAsg + true + false + + 2018-10-16T10:22:30+00:00 + ch:VBL + 40599x2dsjmu8yjzy + + + 2017-05-28T10:22:00+02:00 + VBL + 5a7cf4f0-c7a5-11e8-813f-f38697968b53 + 2 + + feed + VBL + + published + + 2017-05-28T10:10:00+02:00 + 2017-05-28T17:10:00+02:00 + + fire + Feuerwehreinsatz in der Haldenstrasse + Fire brigade action at Haldenstrasse + 3 + route + DE + Unterbruch zwischen Luzernerhof und Verkehrshaus + Line disruption between Luzernerhof and Verkehrshaus + + + http://www.vbl.ch/aktuelles/verkehrsmeldungen/stoerungen/20160603_13? + + + + + + + + ch:vbl:622 + Haldensteig + + + + + + disruption + + + + + ch:vbl:VBL006 + 6 + + ch:vbl:2507::01 + Büttenhalde + + + ch:vbl:VBL006:A + Büttenhalde + + + + ch:vbl:621::01 + Casino-Palace + affectedStopplace + + + ch:vbl:615::01 + Europe + affectedStopplace + + + ch:vbl:616::01 + Dietschiberg + affectedStopplace + + + ch:vbl:617::01 + Verkehrshaus + affectedStopplace + + + + + ch:vbl:VBL006 + 6 + + ch:vbl:601:01 + Matthof + + + ch:vbl:VBL006:B + Matthof + + + + ch:vbl:617::02 + Verkehrshaus + affectedStopplace + + + ch:vbl:616::02 + Dietschiberg + affectedStopplace + + + ch:vbl:615::02 + Europe + affectedStopplace + + + ch:vbl:621::02 + Casino-Palace + affectedStopplace + + + ch:vbl:622::02 + Haldensteig + affectedStopplace + + + + + ch:vbl:VBL008 + 8 + + ch:vbl:620:01 + Würzenbach + + + ch:vbl:VBL008:A + Würzenbach + + + + ch:vbl:621::01 + Casino-Palace + affectedStopplace + + + ch:vbl:615::01 + Europe + affectedStopplace + + + ch:vbl:616::01 + Dietschiberg + affectedStopplace + + + ch:vbl:617::01 + Verkehrshaus + affectedStopplace + + + + + ch:vbl:VBL008 + 8 + + ch:vbl:801:01 + Hirtenhof + + + ch:vbl:VBL008:B + Hirtenhof + + + + ch:vbl:617::02 + Verkehrshaus + affectedStopplace + + + ch:vbl:616::02 + Dietschiberg + affectedStopplace + + + ch:vbl:615::02 + Europe + affectedStopplace + + + ch:vbl:621::02 + Casino-Palace + affectedStopplace + + + ch:vbl:622::02 + Haldensteig + affectedStopplace + + + + + + + + true + true + + + + diverted + + + + + ch:vbl:VBL024 + 24 + + ch:vbl:2433:01 + Tschädigen + + + ch:vbl:VBL024:A + Tschädigen + + + + ch:vbl:121::02 + affectedStopplace + + + ch:vbl:621::01 + Casino-Palace + affectedStopplace + + + ch:vbl:617::01 + Verkehrshaus + affectedStopplace + + + ch:vbl:715::01 + intermediate + + + ch:vbl:716::01 + intermediate + + + ch:vbl:1405::01 + intermediate + + + ch:vbl:1406::01 + intermediate + + + ch:vbl:1407::01 + intermediate + + + ch:vbl:1408::01 + intermediate + + + ch:vbl:1409::01 + intermediate + + + ch:vbl:1410::01 + intermediate + + + ch:vbl:1411::01 + intermediate + + + ch:vbl:1412::01 + intermediate + + + + + ch:vbl:VBL024 + 24 + + ch:vbl:119:13 + Bahnhof + + + ch:vbl:VBL024:B + Bahnhof + + + + ch:vbl:617::02 + Verkehrshaus + affectedStopplace + + + ch:vbl:621::02 + affectedStopplace + + + ch:vbl:622::02 + affectedStopplace + + + ch:vbl:1412::02 + intermediate + + + ch:vbl:1411::02 + intermediate + + + ch:vbl:1410::02 + intermediate + + + ch:vbl:1409::02 + intermediate + + + ch:vbl:1408::02 + intermediate + + + ch:vbl:1407::02 + intermediate + + + ch:vbl:1406::02 + intermediate + + + ch:vbl:1405::02 + intermediate + + + ch:vbl:716::02 + intermediate + + + ch:vbl:715::01 + intermediate + + + + + + + + true + true + + + PT7M + + + + + + + line + + + + + ch:vbl:VBL006 + 6 + + + ch:vbl:VBL008 + 8 + + + ch:vbl:VBL024 + 24 + + + ch:pb:PB073 + 73 + + + + + + + open + 0020 + 2017-05-28T10:22:00+02:00 + 1 + vbl + general + + L + + Unterbruch zwischen Luzernerhof und Verkehrshaus + Line disruption between Luzernerhof and Verkehrshaus + + + Feuerwehreinsatz in der Haldenstrasse + Fire brigade action at Haldenstrasse + + + Betroffen sind die Linien 6,8, 24 und 73 + Affected lines are 6, 8, 24 and 73 + + + Linie 6 und 8 fallen zwischen Luzernerhof und Brüelstrasse aus. Linie 24 wird zwischen Luzernerhof und Brüelstrasse via St. Anna umgeleitet. Ca. 7 Min. längere Fahrzeit. Linie 73 wird zwischen Luzernerhof und Brüelstrasse via St. Anna umgeleitet. Ca. 6 Min. längere Fahrzeit. - Line 6 and 8 disrupted Luzernerhof and Brüelstrasse. + Line 6 and 8 disrupted Luzernerhof and Brüelstrasse. Line 24 diverted between Luzernerhof and Brüelstrasse via St. Anna. Approx. 7 min delay. Line 73 diverted between Luzernerhof and Brüelstrasse via St. Anna. Approx. 6 min delay. - - - Reisende nach Haldensteig, Casino-Palace, Europe, Dietschiberg und Verkehrshaus erreichen ihr Ziel nur zu Fuß. +
+ + Reisende nach Haldensteig, Casino-Palace, Europe, Dietschiberg und Verkehrshaus erreichen ihr Ziel nur zu Fuß. Zwischen Luzern, Bahnhof und Verkehrshaus benutzen sie die S3 oder das Schiff. Umstiegsempfehlung für die Linien 6 und 8: Bei den Haltestellen Luzernerhof bzw. Brüelstrasse auf die umgeleiteten Linien 24 und 73, die normal verkehrende Linie 14 oder den Entlastungsbus umsteigen. - Travellers to Haldensteig, Casino-Palace, Europe, Dietschiberg and Verkehrshaus can only reach their destination on foot. + Travellers to Haldensteig, Casino-Palace, Europe, Dietschiberg and Verkehrshaus can only reach their destination on foot. Between Luzern, Bahnhof and Verkehrshaus use the S3 or ferry. Transfer advice for line 6 and 8: At Luzernerhof or Brüelstrasse use diverted line 24, 73, additional buses or the regular line 14 services. - - - Die Dauer der Störung ist noch unbekannt. - Disruption duration until further notice. - -
-
-
- - - route - - - - - ch:vbl:VBL006 - 6 - - ch:vbl:VBL006:A - Büttenenhalde - - - - ch:vbl:601::01 - Matthof - - - ch:vbl:602::01 - Schönbühl - - - ch:vbl:603::03 - Wartegg - - - ch:vbl:604::01 - Eisfeldstrasse - - - ch:vbl:605::01 - Weinbergli - - - ch:vbl:606::01 - Werkhofstrasse - - - ch:vbl:407::02 - Bundesplatz - - - ch:vbl:118::01 - Kantonalbank (C) - - - ch:vbl:119::02 - Bahnhof (B) - - - ch:vbl:120:01 - Schwanenplatz - - - - - - - - - open - 0030 - 2017-05-28T10:22:00+02:00 - 1 - vbl - vehicleJourney - - L - - Unterbruch zwischen Luzernerhof und Verkehrshaus - Line disruption between Luzernerhof and Verkehrshaus - - - Feuerwehreinsatz in der Haldenstrasse - Fire brigade action at Haldenstrasse - - - Die Linie 6 fällt zwischen Luzernerhof und Brüelstrasse aus. - Line 6 cancelled between Luzernerhof and Brüelstrasse. - - - Reisende nach Brüelstrasse und weiter benützen die umgeleitete Linie 24 und 73 (ohne Halte zwischen Wey und Brühlstrasse) oder die normal verkehrende Linie 14 (mit Halten) und steigen an der Brüelstrasse wieder um. Reisende nach Haldensteig, Casino-Palace, Europe, Dietschiberg und Verkehrshaus erreichen ihr Ziel nur zu Fuß. - Travellers to Brüelstrasse or further use the diverted line 24, 73 (direct between Wey and Brühlstrasse) or the regular line 14 services (all stop) and transfer back at Brüelstrasse. Travellers to Haldensteig, Casino-Palace, Europe, Dietschiberg and Verkehrshaus can only reach their destination on foot. - - - Die Dauer der Störung ist noch unbekannt. - Disruption duration until further notice. - - - - - open - 0040 - 2017-05-28T10:22:00+02:00 - 1 - vbl - stopPoint - - L - - Unterbruch zwischen Luzernerhof und Verkehrshaus - Line disruption between Luzernerhof and Verkehrshaus - - - Feuerwehreinsatz in der Haldenstrasse - Fire brigade action at Haldenstrasse - - - Die Linie 6 fällt zwischen Luzernerhof und Brüelstrasse aus. - Line 6 cancelled between Luzernerhof and Brüelstrasse. - - - Reisende nach Brüelstrasse und weiter benützen die umgeleitete Linie 24 und 73 (ohne Halte zwischen Wey und Brühlstrasse) oder die normal verkehrende Linie 14 (mit Halten) und steigen an der Brüelstrasse wieder um. Reisende nach Haldensteig, Casino-Palace, Europe, Dietschiberg und Verkehrshaus erreichen ihr Ziel nur zu Fuß. - Travellers to Brüelstrasse or further use the diverted line 24, 73 (direct between Wey and Brühlstrasse) or the regular line 14 services (all stop) and transfer back at Brüelstrasse. Travellers to Haldensteig, Casino-Palace, Europe, Dietschiberg and Verkehrshaus can only reach their destination on foot. - - - Die Dauer der Störung ist noch unbekannt. - Disruption duration until further notice. - - - Weitere Informationen erhalten Sie unter www.vbl.ch/stoerung/haldenstrasse - For further information, please visit www.vbl.ch/stoerung/haldenstrasse - - - www.vbl.ch/stoerung/haldenstrasse - - - - - - - route - - - - - ch:vbl:VBL006 - 6 - - ch:vbl:VBL006:A - Büttenenhalde - - - - ch:vbl:121::02 - Luzernerhof (D) - - - - - - - - - open - 0050 - 2017-05-28T10:22:00+02:00 - 1 - vbl - vehicleJourney - - L - - Unterbruch zwischen Luzernerhof und Verkehrshaus - Line disruption between Luzernerhof and Verkehrshaus - - - Feuerwehreinsatz in der Haldenstrasse - Fire brigade action at Haldenstrasse - - - Linie 6 wendet hier - Line 6 turns here - - - Reisende zur Brühlstrasse und weiter benützen die umgeleiteten Linien 24, 73 und den Entlastungsbus (ohne Halte zwischen Wey und Brühlstrasse) oder die normale verkehrende Linie 14 (mit Halten) ab Kante F (Wey) und steigen an der Brüelstrasse wieder um. Reisende nach Haldensteig, Casino-Palace, Europe, Dietschiberg und Verkehrshaus erreichen ihr Ziel nur zu Fuß. - Travellers to Brüelstrasse or further use the diverted line 24, 73, additonal buses (direct between Wey and Brühlstrasse) or the regular line 14 services (all stop) from platform F (Wey) and transfer back at Brüelstrasse. Travellers to Haldensteig, Casino-Palace, Europe, Dietschiberg and Verkehrshaus can only reach their destination on foot. - - - - - - - route - - - - - ch:vbl:VBL006 - 6 - - ch:vbl:VBL006:A - Büttenenhalde - - - - ch:vbl:121::01 - Luzernerhof (C) - - - - - ch:vbl:VBL008 - 8 - - ch:vbl:VBL008:A - Würzenbach - - - - ch:vbl:121::01 - Luzernerhof (C) - - - - - - - - - open - 0060 - 2017-05-28T10:22:00+02:00 - 1 - vbl - stopPoint - - L - - Unterbruch zwischen Luzernerhof und Verkehrshaus - Line disruption between Luzernerhof and Verkehrshaus - - - Feuerwehreinsatz in der Haldenstrasse - Fire brigade action at Haldenstrasse - - - Unterbruch der Linien 6 und 8 - Line 6 and 8 disrupted - - - Umstiegsempfehlung für Linien 6 und 8: Benutzen Sie bis Brüelstrasse die umgeleiteten Linien 24 und 73, die normal verkehrende Linie 14 oder den Entlastungsbus ab Kante F (Wey) und steigen Sie an der Brüelstrasse wieder um. Reisende nach Haldensteig, Casino-Palace, Europe, Dietschiberg und Verkehrshaus erreichen ihr Ziel nur zu Fuß. - Transfer advice line 6 and 8: Use diverted line 24, 73, the regular line 14 services or the additional buses to Brüelstrasse and transfer back to line 6 and 8. Travellers to Haldensteig, Casino-Palace, Europe, Dietschiberg and Verkehrshaus can only reach their destination on foot. - - - Die Dauer der Störung ist noch unbekannt. - Disruption duration until further notice. - - - Weitere Informationen erhalten Sie beim Auskunftspersonal. - For further information, please contact staff. - - - - - - - route - - - - - - ch:vbl:VBL014 - 14 - - ch:vbl:VBL014:A - Brüelstrasse - - - - ch:vbl:715::02 - Wey - - - - - ch:vbl:VBL024 - 24 - - ch:vbl:VBL024:A - Tschädingen - - - - ch:vbl:715::02 - Wey - - - - - ch:vbl:VBL073 - 73 - - - ch:vbl:715::02 - Wey - - - - - - - - - - open - 0070 - 2017-05-28T10:22:00+02:00 - 1 - vbl - stopPoint - - L - - Unterbruch zwischen Luzernerhof und Verkehrshaus - Line disruption between Luzernerhof and Verkehrshaus - - - Feuerwehreinsatz in der Haldenstrasse - Fire brigade action at Haldenstrasse - - - Unterbruch der Linien 6 und 8; Umleitung der Linien 24 und 73 - Line 6 and 8 disrupted; Line 24 and 73 diverted - - - Benutzen Sie die umgeleiteten Linien 24, 73 und den Entlastungsbus (ohne Halte bis Brühlstrasse) oder die normal verkehrende Linie 14 (mit Halten) bis Brüelstrasse. - Use the diverted line 24, 73, additional buses (direct to Brühlstrasse) or the regular line 14 services (all stops) to Brüelstrasse. - - - Die Dauer der Störung ist noch unbekannt. - Disruption duration until further notice. - - - - - - - route - - - - - ch:vbl:VBL006 - 6 - - ch:vbl:VBL006:A - Büttenenhalde - - - - ch:vbl:121::02 - Luzernerhof (D) - - - - - ch:vbl:VBL008 - 8 - - ch:vbl:VBL008:A - Würzenbach - - - - ch:vbl:121::02 - Luzernerhof (D) - - - - - - - - - open - 0130 - 2017-05-28T10:22:00+02:00 - 1 - vbl - stopPoint - - L - - Unterbruch zwischen Luzernerhof und Verkehrshaus - Line disruption between Luzernerhof and Verkehrshaus - - - Feuerwehreinsatz in der Haldenstrasse - Fire brigade action at Haldenstrasse - - - Linie 6 und 8 fallen bis Brüelstrasse aus. Linie 24 wird zwischen Luzernerhof und Brüelstrasse via St. Anna umgeleitet. Ca. 7 Min. längere Fahrzeit. Linie 73 wird zwischen Luzernerhof und Brüelstrasse via St. Anna umgeleitet. Ca. 6 Min. längere Fahrzeit. - Line 6 and 8 services cancelled to Brüelstrasse. Line 24 services diverted between Luzernerhof and Brüelstrasse via St. Anna. Approx. 7 min. delay. Line 73 services diverted between Luzernerhof and Brüelstrasse. Approx. 6 min delay. - - - Umstiegsempfehlung für Linien 6 und 8: Benutzen Sie bis Brüelstrasse die umgeleiteten Linien 24, 73 und den Entlastungsbus (ohne Halte zwischen Wey und Brühlstrasse) oder die normale verkehrende Linie 14 (mit Halten) ab Kante F (Wey) und steigen Sie an der Brüelstrasse um. Reisende nach Haldensteig, Casino-Palace, Europe, Dietschiberg und Verkehrshaus erreichen ihr Ziel nur zu Fuß. - Transfer advice for line 6 and 8: To Brüelstrasse use diverted line 24, 73, additional buses (direct between Wey and Brühlstrasse) or the regular line 14 services (all stops) from platform F (Way) and transfer back at Brüelstrasse. Travellers to Haldensteig, Casino-Palace, Europe, Dietschiberg and Verkehrshaus can only reach their destination on foot. - - - Die Dauer der Störung ist noch unbekannt. - Disruption duration until further notice. - - - - - - - route - - - - - ch:vbl:VBL006 - 6 - - ch:vbl:VBL006:A - Büttenenhalde - - - - ch:vbl:621::01 - Casino-Palace - - - ch:vbl:615::01 - Europe - - - ch:vbl:616::01 - Dietschiberg - - - ch:vbl:617::01 - Verkehrshaus - - - - - ch:vbl:VBL006 - 6 - - ch:vbl:VBL006:B - Matthof - - - - ch:vbl:617::02 - Verkehrshaus - - - ch:vbl:616::02 - Dietschiberg - - - ch:vbl:615::02 - Europe - - - ch:vbl:621::02 - Casino-Palace - - - ch:vbl:622::01 - Haldensteig - - - - - ch:vbl:VBL008 - 8 - - ch:vbl:VBL008:A - Würzenbach - - - - ch:vbl:621::01 - Casino-Palace - - - ch:vbl:615::01 - Europe - - - ch:vbl:616::01 - Dietschiberg - - - ch:vbl:617::01 - Verkehrshaus - - - - - ch:vbl:VBL008 - 8 - - ch:vbl:VBL008:B - Hirtenhof - - - - ch:vbl:617::02 - Verkehrshaus - - - ch:vbl:616::02 - Dietschiberg - - - ch:vbl:615::02 - Europe - - - ch:vbl:621::02 - Casino-Palace - - - ch:vbl:622::01 - Haldensteig - - - - - ch:vbl:VBL024 - 24 - - ch:vbl:VBL024:A - Tschädingen - - - - ch:vbl:621::01 - Casino-Palace - - - ch:vbl:615::01 - Europe - - - ch:vbl:616::01 - Dietschiberg - - - ch:vbl:617::01 - Verkehrshaus - - - - - ch:vbl:VBL024 - 24 - - ch:vbl:VBL024:B - Bahnhof - - - - ch:vbl:617::02 - Verkehrshaus - - - ch:vbl:616::02 - Dietschiberg - - - ch:vbl:615::02 - Europe - - - ch:vbl:621::02 - Casino-Palace - - - ch:vbl:622::01 - Haldensteig - - - - - ch:pb:PB073 - 73 - - - ch:vbl:621::01 - Casino-Palace - - - ch:vbl:615::01 - Europe - - - ch:vbl:616::01 - Dietschiberg - - - ch:vbl:617::01 - Verkehrshaus - - - ch:vbl:617::02 - Verkehrshaus - - - ch:vbl:616::02 - Dietschiberg - - - ch:vbl:615::02 - Europe - - - ch:vbl:621::02 - Casino-Palace - - - ch:vbl:622::01 - Haldensteig - - - - - - - - - open - 0140 - 2017-05-28T10:22:00+02:00 - 1 - vbl - stopPoint - - L - - Unterbruch zwischen Luzernerhof und Verkehrshaus - Line disruption between Luzernerhof and Verkehrshaus - - - Feuerwehreinsatz in der Haldenstrasse - Fire brigade action at Haldenstrasse - - - Keine Bedienung der Linien 6, 8, 24 und 73 zwischen Luzernerhof und Brüelstrasse - No service for line 6, 8, 24 and 73 between Luzernerhof and Brüelstrasse - - - Reisende zwischen Luzernerhof und Brüelstrasse erreichen ihr Ziel nur zu Fuß. Ab Luzernerhof und Brüelstrasse verkehren die Linie auf den normalen Fahrwegen. - Travellers between Luzernerhof and Brüelstrasse can only reach their destination on foot. From Luzernerhof and Brüelstrasse lines will run on regular routes. - - - Die Dauer der Störung ist noch unbekannt. - Disruption duration until further notice. - - - Fällt aus - Cancelled - - - - - - - route - - - - - ch:vbl:014 - 14 - - ch:vbl:VBL014:A - Brüelstrasse - - - - ch:vbl:618::01 - Brüelstrasse - destination - - - - - - - - - open - 0080 - 2017-05-28T10:22:00+02:00 - 1 - vbl - vehicleJourney - - L - - Unterbruch zwischen Luzernerhof und Verkehrshaus - Line disruption between Luzernerhof and Verkehrshaus - - - Feuerwehreinsatz in der Haldenstrasse - Fire brigade action at Haldenstrasse - - - Einstieg der Linien 6 und 8 bei Kante C. Reisende nach Verkehrshaus und Dietschiberg erreichen ihr Ziel nur zu Fuß. - Board line 6 and 8 from platform C. Travellers to Verkehrshaus and Dietschiberg can only reach their destination on foot. - - - - - - - route - - - - - ch:vbl:024 - 24 - - ch:vbl:VBL024:A - Tschädingen - - - - ch:vbl:618::01 - Brüelstrasse - intermediate - - - - - ch:pb:073 - 73 - - ch:pb:PB073:A - Rotkreuz - - - - ch:vbl:618::04 - Brüelstrasse - destination - - - - - - - - - open - 0090 - 2017-05-28T10:22:00+02:00 - 1 - vbl - vehicleJourney - - L - - Unterbruch zwischen Luzernerhof und Verkehrshaus - Line disruption between Luzernerhof and Verkehrshaus - - - Feuerwehreinsatz in der Haldenstrasse - Fire brigade action at Haldenstrasse - - - Die Umleitung endet hier - Diversion ends here - - - Umstieg auf Linie 6 und 8: Einstieg bei Kante C. Reisende nach Verkehrshaus und Dietschiberg erreichen ihr Ziel nur zu Fuß. - Transfer to line 6 and 8: Board from platform C. Travellers to Verkehrshaus and Dietschiberg can only reach their destination on foot. - - - - - - - route - - - - - ch:vbl:VBL006 - 6 - - ch:vbl:VBL006:A - Büttenhalde - - - - ch:vbl:618::03 - Brüelstrasse - - - - - ch:vbl:VBL008 - 8 - - ch:vbl:VBL008:A - Würzenbach - - - - ch:vbl:618::03 - Brüelstrasse - - - - - - - - - open - 0100 - 2017-05-28T10:22:00+02:00 - 1 - vbl - stopPoint - - L - - Unterbruch zwischen Luzernerhof und Verkehrshaus - Line disruption between Luzernerhof and Verkehrshaus - - - Feuerwehreinsatz in der Haldenstrasse - Fire brigade action at Haldenstrasse - - - Normale Bedienung der Linien 6 bis Büttenenhalde und 8 bis Würzenbach. - Regular line 6 services to Büttenenhalde and 8 to Würzenbach. - - - Die Dauer der Störung ist noch unbekannt. - Disruption duration until further notice. - - - Es muss mit Verspätungen gerechnet werden. - Expect delays. - - - - - - - route - - - - - ch:vbl:VBL006 - 6 - - ch:vbl:VBL006:A - Büttenhalde - - - - - ch:vbl:618::03 - Brüelstrasse(B) - - - ch:vbl:2502::01 - Giseli - intermediate - - - ch:vbl:2503::01 - Oberseeburg - intermediate - - - ch:vbl:2504::01 - Oberseeburghöhe - intermediate - - - ch:vbl:2505::01 - Eggen - intermediate - - - ch:vbl:2506::01 - Büttenen - intermediate - - - ch:vbl:2507::01 - Büttenenhalde - destination - - - - - ch:vbl:VBL008 - 8 - - ch:vbl:VBL008:A - Würzenbach - - - - - ch:vbl:618::03 - Brüelstrasse(B) - - - ch:vbl:619::01 - Würzenbachmatte - intermediate - - - ch:vbl:620::01 - Würzenbach - destination - - - - - - - - - open - 0110 - 2017-05-28T10:22:00+02:00 - 1 - vbl - stopPoint - - L - - Unterbruch zwischen Luzernerhof und Verkehrshaus - Line disruption between Luzernerhof and Verkehrshaus - - - Feuerwehreinsatz in der Haldenstrasse - Fire brigade action at Haldenstrasse - - - Die Dauer der Störung ist noch unbekannt. - Disruption duration until further notice. - - - Es muss mit Verspätungen gerechnet werden. - Expect delays. - - - - - - - route - - - - - ch:vbl:Entlastungsbus - Entlastungsbus - - ch:vbl:VBL006:A - Büttenhalde - - - - ch:vbl:618::04 - Brüelstrasse - - - - - - - - - open - 0120 - 2017-05-28T10:22:00+02:00 - 1 - vbl - vehicleJourney - - L - - Unterbruch zwischen Luzernerhof und Verkehrshaus - Line disruption between Luzernerhof and Verkehrshaus - - - Feuerwehreinsatz in der Haldenstrasse - Fire brigade action at Haldenstrasse - - - Diese Fahrt endet hier - This service terminates here - - - Einstieg der Linien 6 und 8 bei Kante C. Reisende nach Verkehrshaus und Dietschiberg erreichen ihr Ziel nur zu Fuß. - Board line 6 and 8 from platform C. Travellers to Verkehrshaus and Dietschiberg can only reach their destination on foot. - - - - - - - route - - - - - ch:vbl:VBL006 - 6 - - ch:vbl:VBL006:B - Matthof - - - - ch:vbl:2507::01 - Büttenenhalde - origin - - - ch:vbl:2506::02 - Büttenen - intermediate - - - ch:vbl:2505::02 - Eggen - intermediate - - - ch:vbl:2504::02 - Oberseeburghöhe - intermediate - - - ch:vbl:2503::02 - Oberseeburg - intermediate - - - ch:vbl:2502::02 - Giseli - intermediate - - - - - - - - - open - 0150 - 2017-05-28T10:22:00+02:00 - 1 - vbl - vehicleJourney - - L - - Unterbruch zwischen Luzernerhof und Verkehrshaus - Line disruption between Luzernerhof and Verkehrshaus - - - Feuerwehreinsatz in der Haldenstrasse - Fire brigade action at Haldenstrasse - - - Die Linie 6 fällt zwischen Brüelstrasse und Luzernerhof aus. - Line 6 cancelled between Brüelstrasse and Luzernerhof. - - - Reisende nach Luzernerhof oder weiter benützen die umgeleiteten Linien 24, 73 und den Entlastungsbus (ohne Halte zwischen Brühlstrasse und Luzernerhof) oder die normal verkehrende Linie 14 (mit Halten) bis Luzernerhof und steigen dort wieder um. Reisende nach Verkehrshaus, Dietschiberg, Europe, Casino-Palace und Haldensteig erreichen ihr Ziel nur zu Fuß. - Travellers to Luzernerhof or further use the diverted lines 24, 73 and the additional bus (direct between Brühlstrasse and Luzernerhof) or the regular line 14 services (all stop) to Luzernhof and transfer there. Travellers to Verkehrshaus, Dietschiberg, Europe, Casino-Palace and Haldensteig can only reach their destination on foot. - - - Die Dauer der Störung ist noch unbekannt. - Disruption duration until further notice. - - - - - - - route - - - - - ch:vbl:VBL006 - 6 - - ch:vbl:VBL006:B - Matthof - - - - ch:vbl:2507::01 - Büttenenhalde - origin - - - ch:vbl:2506::02 - Büttenen - intermediate - - - ch:vbl:2505::02 - Eggen - intermediate - - - ch:vbl:2504::02 - Oberseeburghöhe - intermediate - - - ch:vbl:2503::02 - Oberseeburg - intermediate - - - ch:vbl:2502::02 - Giseli - intermediate - - - - - - - - - open - 0160 - 2017-05-28T10:22:00+02:00 - 1 - vbl - stopPoint - - L - - Unterbruch zwischen Luzernerhof und Verkehrshaus - Line disruption between Luzernerhof and Verkehrshaus - - - Feuerwehreinsatz in der Haldenstrasse - Fire brigade action at Haldenstrasse - - - Die Linie 6 fällt zwischen Brüelstrasse und Luzernerhof aus. - Line 6 cancelled between Brüelstrasse and Luzernerhof. - - - Reisende nach Luzernerhof oder weiter benützen die umgeleiteten Linien 24, 73 und den Entlastungsbus (ohne Halte zwischen Brühlstrasse und Luzernerhof) oder die normal verkehrende Linie 14 (mit Halten) bis Luzernerhof und steigen dort wieder um. Reisende nach Verkehrshaus, Dietschiberg, Europe, Casino-Palace und Haldensteig erreichen ihr Ziel nur zu Fuß. - Travellers to Luzernerhof or further use the diverted lines 24, 73 and the additional bus (direct between Brühlstrasse and Luzernerhof) or the regular line 14 services (all stop) to Luzernhof and transfer there. Travellers to Verkehrshaus, Dietschiberg, Europe, Casino-Palace and Haldensteig can only reach their destination on foot. - - - Die Dauer der Störung ist noch unbekannt. - Disruption duration until further notice. - - - - - - - route - - - - - ch:vbl:VBL006 - 6 - - ch:vbl:VBL006:B - Matthof - - - - ch:vbl:618::02 - Brüelstrasse - destination - - - - - - - - - open - 0170 - 2017-05-28T10:22:00+02:00 - 1 - vbl - vehicleJourney - - L - - Unterbruch zwischen Luzernerhof und Verkehrshaus - Line disruption between Luzernerhof and Verkehrshaus - - - Feuerwehreinsatz in der Haldenstrasse - Fire brigade action at Haldenstrasse - - - Linie 6 wendet hier - Line 6 turns here - - - Reisende zum Luzernerhof oder weiter benützen die umgeleiteten Linien 24, 73 und den Entlastungsbus (ohne Halte bis Luzernerhof) oder die normal verkehrende Linie 14 (mit Halten) ab Kante D und steigen beim Luzernerhof wieder um. Reisende nach Verkehrshaus, Dietschiberg, Europe, Casino-Palace und Haldensteig erreichen ihr Ziel nur zu Fuß. - Travellers to Luzernerhof or further use the diverted lines 24, 73, addintionl buses (direct to Luzernerhof) or the regular line 14 services (all stops) from platform D and transfer back to line 6 and 8 at Luzernerhof. Travellers to Verkehrshaus, Dietschiberg, Europe, Casino-Palace and Haldensteig can only reach their destination on foot. - - - - - - - route - - - - - ch:vbl:VBL006 - 6 - - ch:vbl:VBL006:B - Matthof - - - - ch:vbl:618::02 - Brüelstrasse - destination - - - - - ch:vbl:VBL008 - 8 - - ch:vbl:VBL008:B - Hirtenhof - - - - ch:vbl:618::02 - Brüelstrasse - destination - - - - - - - - - open - 0180 - 2017-05-28T10:22:00+02:00 - 1 - vbl - stopPoint - - L - - Unterbruch zwischen Luzernerhof und Verkehrshaus - Line disruption between Luzernerhof and Verkehrshaus - - - Feuerwehreinsatz in der Haldenstrasse - Fire brigade action at Haldenstrasse - - - Unterbruch der Linien 6 und 8 - Line 6 and 8 disrupted - - - Reisende zum Luzernerhof oder weiter benützen die umgeleiteten Linien 24, 73 und den Entlastungsbus (ohne Halte bis Luzernerhof) oder die normal verkehrende Linie 14 (mit Halten) ab Kante D und steigen beim Luzernerhof wieder um. Reisende nach Verkehrshaus, Dietschiberg, Europe, Casino-Palace und Haldensteig erreichen ihr Ziel nur zu Fuß. - Travellers to Luzernerhof or further use the diverted lines 24, 73, addintionl buses (direct to Luzernerhof) or the regular line 14 services (all stops) from platform D and transfer back to line 6 and 8 at Luzernerhof. Travellers to Verkehrshaus, Dietschiberg, Europe, Casino-Palace and Haldensteig can only reach their destination on foot. - - - - - - - route - - - - - ch:vbl:VBL014 - 14 - - ch:vbl:VBL014:A - Brühlstrasse - - - - ch:vbl:618::04 - Brühlstrasse - destination - - - - - - - ch:vbl:VBL024 - 24 - - ch:vbl:VBL024:B - Bahnhof - - - - ch:vbl:618::04 - Brühlstrasse - destination - - - - - - - - - open - 0190 - 2017-05-28T10:22:00+02:00 - 1 - vbl - stopPoint - - L - - - Unterbruch zwischen Luzernerhof und Verkehrshaus - Line disruption between Luzernerhof and Verkehrshaus - - - Feuerwehreinsatz in der Haldenstrasse - Fire brigade action at Haldenstrasse - - - Unterbruch der Linien 6 und 8; Umleitung der Linien 24 und 73. - Line 6 and 8 disrupted; Line 24 and 73 diverted. - - - Benutzen Sie die umgeleiteten Linien 24, 73 und den Entlastungsbus (ohne Halte bis Luzernerhof) oder die normal verkehrende Linie 14 (mit Halten) bis Luzernerhof. - Use diverted line 24, 73, additional buses (direct ot Luzernhof) or the regular line 14 services (all stops) to Luzernhof. - - - - - - - route - - - - - ch:vbl:VBLEBUS - EBUS - - ch:vbl:VBLEBUS:B - Luzernerhof - - - - ch:vbl:121::xx - Luzernerhof - destination - - - - - - - - - open - 0200 - 2017-05-28T10:22:00+02:00 - 1 - vbl - vehicleJourney - - L - - Unterbruch zwischen Luzernerhof und Verkehrshaus - Line disruption between Luzernerhof and Verkehrshaus - - - Feuerwehreinsatz in der Haldenstrasse - Fire brigade action at Haldenstrasse - - - Die Umleitung endet hier - Diversion ends here - - - Einstieg der Linien 6 und 8 bei Kante A. Reisende nach Haldensteig, Casino-Palace und Europe erreichen ihr Ziel nur zu Fuß. - Board line 6 and 8 from platform A. Travellers to Haldensteig, Casino-Palace and Europe can only reach their destination on foot. - - - - - - - route - - - - - ch:vbl:VBL014 - 14 - - ch:vbl:VBL014:B - Horw Zentrum - - - - ch:vbl:121::03 - Luzernerhof - intermediate - - - - - - - - - open - 0210 - 2017-05-28T10:22:00+02:00 - 1 - vbl - vehicleJourney - - L - - Unterbruch zwischen Luzernerhof und Verkehrshaus - Line disruption between Luzernerhof and Verkehrshaus - - - Feuerwehreinsatz in der Haldenstrasse - Fire brigade action at Haldenstrasse - - - Einstieg der Linien 6 und 8 bei Kante A. Reisende nach Haldensteig, Casino-Palace und Europe erreichen ihr Ziel nur zu Fuß. - Board line 6 and 8 from platform A. Travellers to Haldensteig, Casino-Palace and Europe can only reach their destination on foot. - - - - - - - route - - - - - ch:vbl:VBL024 - 24 - - ch:vbl:VBL024:B - Bahnhof - - - - ch:vbl:121::3 - Luzernerhof - origin - - - - - ch:vbl:VBL073 - 73 - - ch:vbl:VBL073:B - Bahnhof - - - - ch:vbl:121::3 - Luzernerhof - origin - - - - - - - - - open - 0215 - 2017-05-28T10:22:00+02:00 - 1 - vbl - vehicleJourney - - L - - Unterbruch zwischen Luzernerhof und Verkehrshaus - Line disruption between Luzernerhof and Verkehrshaus - - - Feuerwehreinsatz in der Haldenstrasse - Fire brigade action at Haldenstrasse - - - Die Umleitung endet hier - Diversion ends here - - - Einstieg der Linien 6 und 8 bei Kante A. Reisende nach Haldensteig, Casino-Palace und Europe erreichen ihr Ziel nur zu Fuß. - Board line 6 and 8 from platform A. Travellers to Haldensteig, Casino-Palace and Europe can only reach their destination on foot. - - - - - - - route - - - - - ch:vbl:VBL024 - 24 - - ch:vbl:VBL024:B - Bahnhof - - - - ch:vbl:121::3 - Luzernerhof - origin - - - - - - - - - open - 0220 - 2017-05-28T10:22:00+02:00 - 1 - vbl - stopPoint - - L - - Unterbruch zwischen Luzernerhof und Verkehrshaus - Line disruption between Luzernerhof and Verkehrshaus - - - Feuerwehreinsatz in der Haldenstrasse - Fire brigade action at Haldenstrasse - - - Die Umleitung endet hier - Diversion ends here - - - Umstieg auf die Linien 6 und 8: Einstieg bei Kante A. Reisende nach Haldensteig, Casino-Palace, Europe, Dietschiberg und Verkehrshaus erreichen ihr Ziel nur zu Fuß. - Transfer to line 6 and 8: Board from platform A. Travellers to Haldensteig, Casino-Palace, Europe, Dietschiberg and Verkehrshaus can only reach their destination on foot. - - - - - - - route - - - - - ch:vbl:VBL006 - 6 - - ch:vbl:VBL006:B - Matthof - - - - ch:vbl:121::04 - Luzernerhof - origin - - - - - ch:vbl:VBL008 - 8 - - ch:vbl:VBL008:B - Hirtenhof - - - - ch:vbl:121::04 - Luzernerhof - origin - - - - - - - - - open - 0230 - 2017-05-28T10:22:00+02:00 - 1 - vbl - stopPoint - - L - - Unterbruch zwischen Luzernerhof und Verkehrshaus - Line disruption between Luzernerhof and Verkehrshaus - - - Feuerwehreinsatz in der Haldenstrasse - Fire brigade action at Haldenstrasse - - - Normale Bedienung der Linien 6 bis Matthof und 8 bis Hirtenhof. - Regular service on line 6 to Matthof and line 8 to Hirtenhof. - - - Die Dauer der Störung ist noch unbekannt. - Disruption duration until further notice. - - - Es muss mit Verspätungen gerechnet werden. - Expect delays. - - - - - - - route - - - - - ch:vbl:VBL006 - 6 - - ch:vbl:VBL006:B - Matthof - - - - ch:vbl:120::02 - Schwanenplatz - intermediate - - - ch:vbl:119::01 - Bahnhof - intermediate - - - ch:vbl:118::02 - Kantonalbank - intermediate - - - ch:vbl:407::03 - Bundesplatz - intermediate - - - ch:vbl:606::02 - Werkhofstrasse - intermediate - - - ch:vbl:605::02 - Weinbergli - intermediate - - - ch:vbl:604::02 - Eisfeldstrasse - intermediate - - - ch:vbl:603::02 - Wartegg - intermediate - - - ch:vbl:602::02 - Schönbühl - intermediate - - - ch:vbl:601::01 - Matthof - destination - - - - - - - - - open - 0240 - 2017-05-28T10:22:00+02:00 - 1 - vbl - stopPoint - - L - - Unterbruch zwischen Luzernerhof und Verkehrshaus - Line disruption between Luzernerhof and Verkehrshaus - - - Feuerwehreinsatz in der Haldenstrasse - Fire brigade action at Haldenstrasse - - - Es muss mit Verspätungen gerechnet werden. - Expect delays. - - - Die Dauer der Störung ist noch unbekannt. - Disruption duration until further notice. - - - - - - - route - - - - - ch:vbl:VBL02A - 2 - - - ch:vbl:119::06 - Luzern Bahnhof - - - - - - - - - open - 0245 - 2017-05-28T10:22:00+02:00 - 1 - vbl - vehicleJourney - - L - - Unterbruch zwischen Luzernerhof und Verkehrshaus - Line disruption between Luzernerhof and Verkehrshaus - - - Feuerwehreinsatz in der Haldenstrasse - Fire brigade action at Haldenstrasse - - - Unterbruch der Linien 6 und 8 - Line 6 and 8 disrupted - - - Umstiegsempfehlung für Linien 6 und 8: Benutzen Sie bis Brüelstrasse die umgeleitete Linie 73 oder die normal verkehrende Linie 14 und steigen Sie an der Brüelstrasse wieder um. Reisende nach dem Verkehrshaus benutzen die S3 oder das Schiff. - Transfer advice for line 6 and 8: Use diverted line 73 or the regular line 14 services to Brüelstrasse and transfer back to line 6 and 8. Travellers to Verkehrshaus use the S3 or ferry. - - - Die Dauer der Störung ist noch unbekannt. - Disruption duration until further notice. - - - - - - - route - - - - - ch:vbl:VBL014A - 14 - - ch:vbl:VBL014:A - Brüelstrasse - - - - ch:vbl:119::08 - Luzern Bahnhof - - - - - - - - - open - 0246 - 2017-05-28T10:22:00+02:00 - 1 - vbl - vehicleJourney - - L - - Unterbruch zwischen Luzernerhof und Verkehrshaus - Line disruption between Luzernerhof and Verkehrshaus - - - Feuerwehreinsatz in der Haldenstrasse - Fire brigade action at Haldenstrasse - - - Unterbruch der Linien 6 und 8 - Line 6 and 8 disrupted - - - Empfehlung für Linien 6 und 8: Für Fahrten zur Brüelstrasse und weiter bleiben Sie in der Linie 14 und steigen Sie an der Brüelstrasse um. Reisende nach dem Verkehrshaus benutzen ab dem Bahnhof die S3 oder das Schiff. - Advice for line 6 and 8: For services to Brüelstrasse and further, stay on line 14 and transfer at Brüelstrasse. Travellers after Verkehrshaus use the S3 or ferry from main station. - - - Die Dauer der Störung ist noch unbekannt. - Disruption duration until further notice. - - - - -
-
-
-
-
+ + + Die Dauer der Störung ist noch unbekannt. + Disruption duration until further notice. + + + + + + + route + + + + + ch:vbl:VBL006 + 6 + + ch:vbl:VBL006:A + Büttenenhalde + + + + ch:vbl:601::01 + Matthof + + + ch:vbl:602::01 + Schönbühl + + + ch:vbl:603::03 + Wartegg + + + ch:vbl:604::01 + Eisfeldstrasse + + + ch:vbl:605::01 + Weinbergli + + + ch:vbl:606::01 + Werkhofstrasse + + + ch:vbl:407::02 + Bundesplatz + + + ch:vbl:118::01 + Kantonalbank (C) + + + ch:vbl:119::02 + Bahnhof (B) + + + ch:vbl:120:01 + Schwanenplatz + + + + + + + + + open + 0030 + 2017-05-28T10:22:00+02:00 + 1 + vbl + vehicleJourney + + L + + Unterbruch zwischen Luzernerhof und Verkehrshaus + Line disruption between Luzernerhof and Verkehrshaus + + + Feuerwehreinsatz in der Haldenstrasse + Fire brigade action at Haldenstrasse + + + Die Linie 6 fällt zwischen Luzernerhof und Brüelstrasse aus. + Line 6 cancelled between Luzernerhof and Brüelstrasse. + + + Reisende nach Brüelstrasse und weiter benützen die umgeleitete Linie 24 und 73 (ohne Halte zwischen Wey und Brühlstrasse) oder die normal verkehrende Linie 14 (mit Halten) und steigen an der Brüelstrasse wieder um. Reisende nach Haldensteig, Casino-Palace, Europe, Dietschiberg und Verkehrshaus erreichen ihr Ziel nur zu Fuß. + Travellers to Brüelstrasse or further use the diverted line 24, 73 (direct between Wey and Brühlstrasse) or the regular line 14 services (all stop) and transfer back at Brüelstrasse. Travellers to Haldensteig, Casino-Palace, Europe, Dietschiberg and Verkehrshaus can only reach their destination on foot. + + + Die Dauer der Störung ist noch unbekannt. + Disruption duration until further notice. + + + + + open + 0040 + 2017-05-28T10:22:00+02:00 + 1 + vbl + stopPoint + + L + + Unterbruch zwischen Luzernerhof und Verkehrshaus + Line disruption between Luzernerhof and Verkehrshaus + + + Feuerwehreinsatz in der Haldenstrasse + Fire brigade action at Haldenstrasse + + + Die Linie 6 fällt zwischen Luzernerhof und Brüelstrasse aus. + Line 6 cancelled between Luzernerhof and Brüelstrasse. + + + Reisende nach Brüelstrasse und weiter benützen die umgeleitete Linie 24 und 73 (ohne Halte zwischen Wey und Brühlstrasse) oder die normal verkehrende Linie 14 (mit Halten) und steigen an der Brüelstrasse wieder um. Reisende nach Haldensteig, Casino-Palace, Europe, Dietschiberg und Verkehrshaus erreichen ihr Ziel nur zu Fuß. + Travellers to Brüelstrasse or further use the diverted line 24, 73 (direct between Wey and Brühlstrasse) or the regular line 14 services (all stop) and transfer back at Brüelstrasse. Travellers to Haldensteig, Casino-Palace, Europe, Dietschiberg and Verkehrshaus can only reach their destination on foot. + + + Die Dauer der Störung ist noch unbekannt. + Disruption duration until further notice. + + + Weitere Informationen erhalten Sie unter www.vbl.ch/stoerung/haldenstrasse + For further information, please visit www.vbl.ch/stoerung/haldenstrasse + + + www.vbl.ch/stoerung/haldenstrasse + + + + + + + route + + + + + ch:vbl:VBL006 + 6 + + ch:vbl:VBL006:A + Büttenenhalde + + + + ch:vbl:121::02 + Luzernerhof (D) + + + + + + + + + open + 0050 + 2017-05-28T10:22:00+02:00 + 1 + vbl + vehicleJourney + + L + + Unterbruch zwischen Luzernerhof und Verkehrshaus + Line disruption between Luzernerhof and Verkehrshaus + + + Feuerwehreinsatz in der Haldenstrasse + Fire brigade action at Haldenstrasse + + + Linie 6 wendet hier + Line 6 turns here + + + Reisende zur Brühlstrasse und weiter benützen die umgeleiteten Linien 24, 73 und den Entlastungsbus (ohne Halte zwischen Wey und Brühlstrasse) oder die normale verkehrende Linie 14 (mit Halten) ab Kante F (Wey) und steigen an der Brüelstrasse wieder um. Reisende nach Haldensteig, Casino-Palace, Europe, Dietschiberg und Verkehrshaus erreichen ihr Ziel nur zu Fuß. + Travellers to Brüelstrasse or further use the diverted line 24, 73, additonal buses (direct between Wey and Brühlstrasse) or the regular line 14 services (all stop) from platform F (Wey) and transfer back at Brüelstrasse. Travellers to Haldensteig, Casino-Palace, Europe, Dietschiberg and Verkehrshaus can only reach their destination on foot. + + + + + + + route + + + + + ch:vbl:VBL006 + 6 + + ch:vbl:VBL006:A + Büttenenhalde + + + + ch:vbl:121::01 + Luzernerhof (C) + + + + + ch:vbl:VBL008 + 8 + + ch:vbl:VBL008:A + Würzenbach + + + + ch:vbl:121::01 + Luzernerhof (C) + + + + + + + + + open + 0060 + 2017-05-28T10:22:00+02:00 + 1 + vbl + stopPoint + + L + + Unterbruch zwischen Luzernerhof und Verkehrshaus + Line disruption between Luzernerhof and Verkehrshaus + + + Feuerwehreinsatz in der Haldenstrasse + Fire brigade action at Haldenstrasse + + + Unterbruch der Linien 6 und 8 + Line 6 and 8 disrupted + + + Umstiegsempfehlung für Linien 6 und 8: Benutzen Sie bis Brüelstrasse die umgeleiteten Linien 24 und 73, die normal verkehrende Linie 14 oder den Entlastungsbus ab Kante F (Wey) und steigen Sie an der Brüelstrasse wieder um. Reisende nach Haldensteig, Casino-Palace, Europe, Dietschiberg und Verkehrshaus erreichen ihr Ziel nur zu Fuß. + Transfer advice line 6 and 8: Use diverted line 24, 73, the regular line 14 services or the additional buses to Brüelstrasse and transfer back to line 6 and 8. Travellers to Haldensteig, Casino-Palace, Europe, Dietschiberg and Verkehrshaus can only reach their destination on foot. + + + Die Dauer der Störung ist noch unbekannt. + Disruption duration until further notice. + + + Weitere Informationen erhalten Sie beim Auskunftspersonal. + For further information, please contact staff. + + + + + + + route + + + + + ch:vbl:VBL014 + 14 + + ch:vbl:VBL014:A + Brüelstrasse + + + + ch:vbl:715::02 + Wey + + + + + ch:vbl:VBL024 + 24 + + ch:vbl:VBL024:A + Tschädingen + + + + ch:vbl:715::02 + Wey + + + + + ch:vbl:VBL073 + 73 + + + ch:vbl:715::02 + Wey + + + + + + + + + open + 0070 + 2017-05-28T10:22:00+02:00 + 1 + vbl + stopPoint + + L + + Unterbruch zwischen Luzernerhof und Verkehrshaus + Line disruption between Luzernerhof and Verkehrshaus + + + Feuerwehreinsatz in der Haldenstrasse + Fire brigade action at Haldenstrasse + + + Unterbruch der Linien 6 und 8; Umleitung der Linien 24 und 73 + Line 6 and 8 disrupted; Line 24 and 73 diverted + + + Benutzen Sie die umgeleiteten Linien 24, 73 und den Entlastungsbus (ohne Halte bis Brühlstrasse) oder die normal verkehrende Linie 14 (mit Halten) bis Brüelstrasse. + Use the diverted line 24, 73, additional buses (direct to Brühlstrasse) or the regular line 14 services (all stops) to Brüelstrasse. + + + Die Dauer der Störung ist noch unbekannt. + Disruption duration until further notice. + + + + + + + route + + + + + ch:vbl:VBL006 + 6 + + ch:vbl:VBL006:A + Büttenenhalde + + + + ch:vbl:121::02 + Luzernerhof (D) + + + + + ch:vbl:VBL008 + 8 + + ch:vbl:VBL008:A + Würzenbach + + + + ch:vbl:121::02 + Luzernerhof (D) + + + + + + + + + open + 0130 + 2017-05-28T10:22:00+02:00 + 1 + vbl + stopPoint + + L + + Unterbruch zwischen Luzernerhof und Verkehrshaus + Line disruption between Luzernerhof and Verkehrshaus + + + Feuerwehreinsatz in der Haldenstrasse + Fire brigade action at Haldenstrasse + + + Linie 6 und 8 fallen bis Brüelstrasse aus. Linie 24 wird zwischen Luzernerhof und Brüelstrasse via St. Anna umgeleitet. Ca. 7 Min. längere Fahrzeit. Linie 73 wird zwischen Luzernerhof und Brüelstrasse via St. Anna umgeleitet. Ca. 6 Min. längere Fahrzeit. + Line 6 and 8 services cancelled to Brüelstrasse. Line 24 services diverted between Luzernerhof and Brüelstrasse via St. Anna. Approx. 7 min. delay. Line 73 services diverted between Luzernerhof and Brüelstrasse. Approx. 6 min delay. + + + Umstiegsempfehlung für Linien 6 und 8: Benutzen Sie bis Brüelstrasse die umgeleiteten Linien 24, 73 und den Entlastungsbus (ohne Halte zwischen Wey und Brühlstrasse) oder die normale verkehrende Linie 14 (mit Halten) ab Kante F (Wey) und steigen Sie an der Brüelstrasse um. Reisende nach Haldensteig, Casino-Palace, Europe, Dietschiberg und Verkehrshaus erreichen ihr Ziel nur zu Fuß. + Transfer advice for line 6 and 8: To Brüelstrasse use diverted line 24, 73, additional buses (direct between Wey and Brühlstrasse) or the regular line 14 services (all stops) from platform F (Way) and transfer back at Brüelstrasse. Travellers to Haldensteig, Casino-Palace, Europe, Dietschiberg and Verkehrshaus can only reach their destination on foot. + + + Die Dauer der Störung ist noch unbekannt. + Disruption duration until further notice. + + + + + + + route + + + + + ch:vbl:VBL006 + 6 + + ch:vbl:VBL006:A + Büttenenhalde + + + + ch:vbl:621::01 + Casino-Palace + + + ch:vbl:615::01 + Europe + + + ch:vbl:616::01 + Dietschiberg + + + ch:vbl:617::01 + Verkehrshaus + + + + + ch:vbl:VBL006 + 6 + + ch:vbl:VBL006:B + Matthof + + + + ch:vbl:617::02 + Verkehrshaus + + + ch:vbl:616::02 + Dietschiberg + + + ch:vbl:615::02 + Europe + + + ch:vbl:621::02 + Casino-Palace + + + ch:vbl:622::01 + Haldensteig + + + + + ch:vbl:VBL008 + 8 + + ch:vbl:VBL008:A + Würzenbach + + + + ch:vbl:621::01 + Casino-Palace + + + ch:vbl:615::01 + Europe + + + ch:vbl:616::01 + Dietschiberg + + + ch:vbl:617::01 + Verkehrshaus + + + + + ch:vbl:VBL008 + 8 + + ch:vbl:VBL008:B + Hirtenhof + + + + ch:vbl:617::02 + Verkehrshaus + + + ch:vbl:616::02 + Dietschiberg + + + ch:vbl:615::02 + Europe + + + ch:vbl:621::02 + Casino-Palace + + + ch:vbl:622::01 + Haldensteig + + + + + ch:vbl:VBL024 + 24 + + ch:vbl:VBL024:A + Tschädingen + + + + ch:vbl:621::01 + Casino-Palace + + + ch:vbl:615::01 + Europe + + + ch:vbl:616::01 + Dietschiberg + + + ch:vbl:617::01 + Verkehrshaus + + + + + ch:vbl:VBL024 + 24 + + ch:vbl:VBL024:B + Bahnhof + + + + ch:vbl:617::02 + Verkehrshaus + + + ch:vbl:616::02 + Dietschiberg + + + ch:vbl:615::02 + Europe + + + ch:vbl:621::02 + Casino-Palace + + + ch:vbl:622::01 + Haldensteig + + + + + ch:pb:PB073 + 73 + + + ch:vbl:621::01 + Casino-Palace + + + ch:vbl:615::01 + Europe + + + ch:vbl:616::01 + Dietschiberg + + + ch:vbl:617::01 + Verkehrshaus + + + ch:vbl:617::02 + Verkehrshaus + + + ch:vbl:616::02 + Dietschiberg + + + ch:vbl:615::02 + Europe + + + ch:vbl:621::02 + Casino-Palace + + + ch:vbl:622::01 + Haldensteig + + + + + + + + + open + 0140 + 2017-05-28T10:22:00+02:00 + 1 + vbl + stopPoint + + L + + Unterbruch zwischen Luzernerhof und Verkehrshaus + Line disruption between Luzernerhof and Verkehrshaus + + + Feuerwehreinsatz in der Haldenstrasse + Fire brigade action at Haldenstrasse + + + Keine Bedienung der Linien 6, 8, 24 und 73 zwischen Luzernerhof und Brüelstrasse + No service for line 6, 8, 24 and 73 between Luzernerhof and Brüelstrasse + + + Reisende zwischen Luzernerhof und Brüelstrasse erreichen ihr Ziel nur zu Fuß. Ab Luzernerhof und Brüelstrasse verkehren die Linie auf den normalen Fahrwegen. + Travellers between Luzernerhof and Brüelstrasse can only reach their destination on foot. From Luzernerhof and Brüelstrasse lines will run on regular routes. + + + Die Dauer der Störung ist noch unbekannt. + Disruption duration until further notice. + + + Fällt aus + Cancelled + + + + + + + route + + + + + ch:vbl:014 + 14 + + ch:vbl:VBL014:A + Brüelstrasse + + + + ch:vbl:618::01 + Brüelstrasse + destination + + + + + + + + + open + 0080 + 2017-05-28T10:22:00+02:00 + 1 + vbl + vehicleJourney + + L + + Unterbruch zwischen Luzernerhof und Verkehrshaus + Line disruption between Luzernerhof and Verkehrshaus + + + Feuerwehreinsatz in der Haldenstrasse + Fire brigade action at Haldenstrasse + + + Einstieg der Linien 6 und 8 bei Kante C. Reisende nach Verkehrshaus und Dietschiberg erreichen ihr Ziel nur zu Fuß. + Board line 6 and 8 from platform C. Travellers to Verkehrshaus and Dietschiberg can only reach their destination on foot. + + + + + + + route + + + + + ch:vbl:024 + 24 + + ch:vbl:VBL024:A + Tschädingen + + + + ch:vbl:618::01 + Brüelstrasse + intermediate + + + + + ch:pb:073 + 73 + + ch:pb:PB073:A + Rotkreuz + + + + ch:vbl:618::04 + Brüelstrasse + destination + + + + + + + + + open + 0090 + 2017-05-28T10:22:00+02:00 + 1 + vbl + vehicleJourney + + L + + Unterbruch zwischen Luzernerhof und Verkehrshaus + Line disruption between Luzernerhof and Verkehrshaus + + + Feuerwehreinsatz in der Haldenstrasse + Fire brigade action at Haldenstrasse + + + Die Umleitung endet hier + Diversion ends here + + + Umstieg auf Linie 6 und 8: Einstieg bei Kante C. Reisende nach Verkehrshaus und Dietschiberg erreichen ihr Ziel nur zu Fuß. + Transfer to line 6 and 8: Board from platform C. Travellers to Verkehrshaus and Dietschiberg can only reach their destination on foot. + + + + + + + route + + + + + ch:vbl:VBL006 + 6 + + ch:vbl:VBL006:A + Büttenhalde + + + + ch:vbl:618::03 + Brüelstrasse + + + + + ch:vbl:VBL008 + 8 + + ch:vbl:VBL008:A + Würzenbach + + + + ch:vbl:618::03 + Brüelstrasse + + + + + + + + + open + 0100 + 2017-05-28T10:22:00+02:00 + 1 + vbl + stopPoint + + L + + Unterbruch zwischen Luzernerhof und Verkehrshaus + Line disruption between Luzernerhof and Verkehrshaus + + + Feuerwehreinsatz in der Haldenstrasse + Fire brigade action at Haldenstrasse + + + Normale Bedienung der Linien 6 bis Büttenenhalde und 8 bis Würzenbach. + Regular line 6 services to Büttenenhalde and 8 to Würzenbach. + + + Die Dauer der Störung ist noch unbekannt. + Disruption duration until further notice. + + + Es muss mit Verspätungen gerechnet werden. + Expect delays. + + + + + + + route + + + + + ch:vbl:VBL006 + 6 + + ch:vbl:VBL006:A + Büttenhalde + + + + ch:vbl:618::03 + Brüelstrasse(B) + + + ch:vbl:2502::01 + Giseli + intermediate + + + ch:vbl:2503::01 + Oberseeburg + intermediate + + + ch:vbl:2504::01 + Oberseeburghöhe + intermediate + + + ch:vbl:2505::01 + Eggen + intermediate + + + ch:vbl:2506::01 + Büttenen + intermediate + + + ch:vbl:2507::01 + Büttenenhalde + destination + + + + + ch:vbl:VBL008 + 8 + + ch:vbl:VBL008:A + Würzenbach + + + + ch:vbl:618::03 + Brüelstrasse(B) + + + ch:vbl:619::01 + Würzenbachmatte + intermediate + + + ch:vbl:620::01 + Würzenbach + destination + + + + + + + + + open + 0110 + 2017-05-28T10:22:00+02:00 + 1 + vbl + stopPoint + + L + + Unterbruch zwischen Luzernerhof und Verkehrshaus + Line disruption between Luzernerhof and Verkehrshaus + + + Feuerwehreinsatz in der Haldenstrasse + Fire brigade action at Haldenstrasse + + + Die Dauer der Störung ist noch unbekannt. + Disruption duration until further notice. + + + Es muss mit Verspätungen gerechnet werden. + Expect delays. + + + + + + + route + + + + + ch:vbl:Entlastungsbus + Entlastungsbus + + ch:vbl:VBL006:A + Büttenhalde + + + + ch:vbl:618::04 + Brüelstrasse + + + + + + + + + open + 0120 + 2017-05-28T10:22:00+02:00 + 1 + vbl + vehicleJourney + + L + + Unterbruch zwischen Luzernerhof und Verkehrshaus + Line disruption between Luzernerhof and Verkehrshaus + + + Feuerwehreinsatz in der Haldenstrasse + Fire brigade action at Haldenstrasse + + + Diese Fahrt endet hier + This service terminates here + + + Einstieg der Linien 6 und 8 bei Kante C. Reisende nach Verkehrshaus und Dietschiberg erreichen ihr Ziel nur zu Fuß. + Board line 6 and 8 from platform C. Travellers to Verkehrshaus and Dietschiberg can only reach their destination on foot. + + + + + + + route + + + + + ch:vbl:VBL006 + 6 + + ch:vbl:VBL006:B + Matthof + + + + ch:vbl:2507::01 + Büttenenhalde + origin + + + ch:vbl:2506::02 + Büttenen + intermediate + + + ch:vbl:2505::02 + Eggen + intermediate + + + ch:vbl:2504::02 + Oberseeburghöhe + intermediate + + + ch:vbl:2503::02 + Oberseeburg + intermediate + + + ch:vbl:2502::02 + Giseli + intermediate + + + + + + + + + open + 0150 + 2017-05-28T10:22:00+02:00 + 1 + vbl + vehicleJourney + + L + + Unterbruch zwischen Luzernerhof und Verkehrshaus + Line disruption between Luzernerhof and Verkehrshaus + + + Feuerwehreinsatz in der Haldenstrasse + Fire brigade action at Haldenstrasse + + + Die Linie 6 fällt zwischen Brüelstrasse und Luzernerhof aus. + Line 6 cancelled between Brüelstrasse and Luzernerhof. + + + Reisende nach Luzernerhof oder weiter benützen die umgeleiteten Linien 24, 73 und den Entlastungsbus (ohne Halte zwischen Brühlstrasse und Luzernerhof) oder die normal verkehrende Linie 14 (mit Halten) bis Luzernerhof und steigen dort wieder um. Reisende nach Verkehrshaus, Dietschiberg, Europe, Casino-Palace und Haldensteig erreichen ihr Ziel nur zu Fuß. + Travellers to Luzernerhof or further use the diverted lines 24, 73 and the additional bus (direct between Brühlstrasse and Luzernerhof) or the regular line 14 services (all stop) to Luzernhof and transfer there. Travellers to Verkehrshaus, Dietschiberg, Europe, Casino-Palace and Haldensteig can only reach their destination on foot. + + + Die Dauer der Störung ist noch unbekannt. + Disruption duration until further notice. + + + + + + + route + + + + + ch:vbl:VBL006 + 6 + + ch:vbl:VBL006:B + Matthof + + + + ch:vbl:2507::01 + Büttenenhalde + origin + + + ch:vbl:2506::02 + Büttenen + intermediate + + + ch:vbl:2505::02 + Eggen + intermediate + + + ch:vbl:2504::02 + Oberseeburghöhe + intermediate + + + ch:vbl:2503::02 + Oberseeburg + intermediate + + + ch:vbl:2502::02 + Giseli + intermediate + + + + + + + + + open + 0160 + 2017-05-28T10:22:00+02:00 + 1 + vbl + stopPoint + + L + + Unterbruch zwischen Luzernerhof und Verkehrshaus + Line disruption between Luzernerhof and Verkehrshaus + + + Feuerwehreinsatz in der Haldenstrasse + Fire brigade action at Haldenstrasse + + + Die Linie 6 fällt zwischen Brüelstrasse und Luzernerhof aus. + Line 6 cancelled between Brüelstrasse and Luzernerhof. + + + Reisende nach Luzernerhof oder weiter benützen die umgeleiteten Linien 24, 73 und den Entlastungsbus (ohne Halte zwischen Brühlstrasse und Luzernerhof) oder die normal verkehrende Linie 14 (mit Halten) bis Luzernerhof und steigen dort wieder um. Reisende nach Verkehrshaus, Dietschiberg, Europe, Casino-Palace und Haldensteig erreichen ihr Ziel nur zu Fuß. + Travellers to Luzernerhof or further use the diverted lines 24, 73 and the additional bus (direct between Brühlstrasse and Luzernerhof) or the regular line 14 services (all stop) to Luzernhof and transfer there. Travellers to Verkehrshaus, Dietschiberg, Europe, Casino-Palace and Haldensteig can only reach their destination on foot. + + + Die Dauer der Störung ist noch unbekannt. + Disruption duration until further notice. + + + + + + + route + + + + + ch:vbl:VBL006 + 6 + + ch:vbl:VBL006:B + Matthof + + + + ch:vbl:618::02 + Brüelstrasse + destination + + + + + + + + + open + 0170 + 2017-05-28T10:22:00+02:00 + 1 + vbl + vehicleJourney + + L + + Unterbruch zwischen Luzernerhof und Verkehrshaus + Line disruption between Luzernerhof and Verkehrshaus + + + Feuerwehreinsatz in der Haldenstrasse + Fire brigade action at Haldenstrasse + + + Linie 6 wendet hier + Line 6 turns here + + + Reisende zum Luzernerhof oder weiter benützen die umgeleiteten Linien 24, 73 und den Entlastungsbus (ohne Halte bis Luzernerhof) oder die normal verkehrende Linie 14 (mit Halten) ab Kante D und steigen beim Luzernerhof wieder um. Reisende nach Verkehrshaus, Dietschiberg, Europe, Casino-Palace und Haldensteig erreichen ihr Ziel nur zu Fuß. + Travellers to Luzernerhof or further use the diverted lines 24, 73, addintionl buses (direct to Luzernerhof) or the regular line 14 services (all stops) from platform D and transfer back to line 6 and 8 at Luzernerhof. Travellers to Verkehrshaus, Dietschiberg, Europe, Casino-Palace and Haldensteig can only reach their destination on foot. + + + + + + + route + + + + + ch:vbl:VBL006 + 6 + + ch:vbl:VBL006:B + Matthof + + + + ch:vbl:618::02 + Brüelstrasse + destination + + + + + ch:vbl:VBL008 + 8 + + ch:vbl:VBL008:B + Hirtenhof + + + + ch:vbl:618::02 + Brüelstrasse + destination + + + + + + + + + open + 0180 + 2017-05-28T10:22:00+02:00 + 1 + vbl + stopPoint + + L + + Unterbruch zwischen Luzernerhof und Verkehrshaus + Line disruption between Luzernerhof and Verkehrshaus + + + Feuerwehreinsatz in der Haldenstrasse + Fire brigade action at Haldenstrasse + + + Unterbruch der Linien 6 und 8 + Line 6 and 8 disrupted + + + Reisende zum Luzernerhof oder weiter benützen die umgeleiteten Linien 24, 73 und den Entlastungsbus (ohne Halte bis Luzernerhof) oder die normal verkehrende Linie 14 (mit Halten) ab Kante D und steigen beim Luzernerhof wieder um. Reisende nach Verkehrshaus, Dietschiberg, Europe, Casino-Palace und Haldensteig erreichen ihr Ziel nur zu Fuß. + Travellers to Luzernerhof or further use the diverted lines 24, 73, addintionl buses (direct to Luzernerhof) or the regular line 14 services (all stops) from platform D and transfer back to line 6 and 8 at Luzernerhof. Travellers to Verkehrshaus, Dietschiberg, Europe, Casino-Palace and Haldensteig can only reach their destination on foot. + + + + + + + route + + + + + ch:vbl:VBL014 + 14 + + ch:vbl:VBL014:A + Brühlstrasse + + + + ch:vbl:618::04 + Brühlstrasse + destination + + + + + + + ch:vbl:VBL024 + 24 + + ch:vbl:VBL024:B + Bahnhof + + + + ch:vbl:618::04 + Brühlstrasse + destination + + + + + + + + + open + 0190 + 2017-05-28T10:22:00+02:00 + 1 + vbl + stopPoint + + L + + Unterbruch zwischen Luzernerhof und Verkehrshaus + Line disruption between Luzernerhof and Verkehrshaus + + + Feuerwehreinsatz in der Haldenstrasse + Fire brigade action at Haldenstrasse + + + Unterbruch der Linien 6 und 8; Umleitung der Linien 24 und 73. + Line 6 and 8 disrupted; Line 24 and 73 diverted. + + + Benutzen Sie die umgeleiteten Linien 24, 73 und den Entlastungsbus (ohne Halte bis Luzernerhof) oder die normal verkehrende Linie 14 (mit Halten) bis Luzernerhof. + Use diverted line 24, 73, additional buses (direct ot Luzernhof) or the regular line 14 services (all stops) to Luzernhof. + + + + + + + route + + + + + ch:vbl:VBLEBUS + EBUS + + ch:vbl:VBLEBUS:B + Luzernerhof + + + + ch:vbl:121::xx + Luzernerhof + destination + + + + + + + + + open + 0200 + 2017-05-28T10:22:00+02:00 + 1 + vbl + vehicleJourney + + L + + Unterbruch zwischen Luzernerhof und Verkehrshaus + Line disruption between Luzernerhof and Verkehrshaus + + + Feuerwehreinsatz in der Haldenstrasse + Fire brigade action at Haldenstrasse + + + Die Umleitung endet hier + Diversion ends here + + + Einstieg der Linien 6 und 8 bei Kante A. Reisende nach Haldensteig, Casino-Palace und Europe erreichen ihr Ziel nur zu Fuß. + Board line 6 and 8 from platform A. Travellers to Haldensteig, Casino-Palace and Europe can only reach their destination on foot. + + + + + + + route + + + + + ch:vbl:VBL014 + 14 + + ch:vbl:VBL014:B + Horw Zentrum + + + + ch:vbl:121::03 + Luzernerhof + intermediate + + + + + + + + + open + 0210 + 2017-05-28T10:22:00+02:00 + 1 + vbl + vehicleJourney + + L + + Unterbruch zwischen Luzernerhof und Verkehrshaus + Line disruption between Luzernerhof and Verkehrshaus + + + Feuerwehreinsatz in der Haldenstrasse + Fire brigade action at Haldenstrasse + + + Einstieg der Linien 6 und 8 bei Kante A. Reisende nach Haldensteig, Casino-Palace und Europe erreichen ihr Ziel nur zu Fuß. + Board line 6 and 8 from platform A. Travellers to Haldensteig, Casino-Palace and Europe can only reach their destination on foot. + + + + + + + route + + + + + ch:vbl:VBL024 + 24 + + ch:vbl:VBL024:B + Bahnhof + + + + ch:vbl:121::3 + Luzernerhof + origin + + + + + ch:vbl:VBL073 + 73 + + ch:vbl:VBL073:B + Bahnhof + + + + ch:vbl:121::3 + Luzernerhof + origin + + + + + + + + + open + 0215 + 2017-05-28T10:22:00+02:00 + 1 + vbl + vehicleJourney + + L + + Unterbruch zwischen Luzernerhof und Verkehrshaus + Line disruption between Luzernerhof and Verkehrshaus + + + Feuerwehreinsatz in der Haldenstrasse + Fire brigade action at Haldenstrasse + + + Die Umleitung endet hier + Diversion ends here + + + Einstieg der Linien 6 und 8 bei Kante A. Reisende nach Haldensteig, Casino-Palace und Europe erreichen ihr Ziel nur zu Fuß. + Board line 6 and 8 from platform A. Travellers to Haldensteig, Casino-Palace and Europe can only reach their destination on foot. + + + + + + + route + + + + + ch:vbl:VBL024 + 24 + + ch:vbl:VBL024:B + Bahnhof + + + + ch:vbl:121::3 + Luzernerhof + origin + + + + + + + + + open + 0220 + 2017-05-28T10:22:00+02:00 + 1 + vbl + stopPoint + + L + + Unterbruch zwischen Luzernerhof und Verkehrshaus + Line disruption between Luzernerhof and Verkehrshaus + + + Feuerwehreinsatz in der Haldenstrasse + Fire brigade action at Haldenstrasse + + + Die Umleitung endet hier + Diversion ends here + + + Umstieg auf die Linien 6 und 8: Einstieg bei Kante A. Reisende nach Haldensteig, Casino-Palace, Europe, Dietschiberg und Verkehrshaus erreichen ihr Ziel nur zu Fuß. + Transfer to line 6 and 8: Board from platform A. Travellers to Haldensteig, Casino-Palace, Europe, Dietschiberg and Verkehrshaus can only reach their destination on foot. + + + + + + + route + + + + + ch:vbl:VBL006 + 6 + + ch:vbl:VBL006:B + Matthof + + + + ch:vbl:121::04 + Luzernerhof + origin + + + + + ch:vbl:VBL008 + 8 + + ch:vbl:VBL008:B + Hirtenhof + + + + ch:vbl:121::04 + Luzernerhof + origin + + + + + + + + + open + 0230 + 2017-05-28T10:22:00+02:00 + 1 + vbl + stopPoint + + L + + Unterbruch zwischen Luzernerhof und Verkehrshaus + Line disruption between Luzernerhof and Verkehrshaus + + + Feuerwehreinsatz in der Haldenstrasse + Fire brigade action at Haldenstrasse + + + Normale Bedienung der Linien 6 bis Matthof und 8 bis Hirtenhof. + Regular service on line 6 to Matthof and line 8 to Hirtenhof. + + + Die Dauer der Störung ist noch unbekannt. + Disruption duration until further notice. + + + Es muss mit Verspätungen gerechnet werden. + Expect delays. + + + + + + + route + + + + + ch:vbl:VBL006 + 6 + + ch:vbl:VBL006:B + Matthof + + + + ch:vbl:120::02 + Schwanenplatz + intermediate + + + ch:vbl:119::01 + Bahnhof + intermediate + + + ch:vbl:118::02 + Kantonalbank + intermediate + + + ch:vbl:407::03 + Bundesplatz + intermediate + + + ch:vbl:606::02 + Werkhofstrasse + intermediate + + + ch:vbl:605::02 + Weinbergli + intermediate + + + ch:vbl:604::02 + Eisfeldstrasse + intermediate + + + ch:vbl:603::02 + Wartegg + intermediate + + + ch:vbl:602::02 + Schönbühl + intermediate + + + ch:vbl:601::01 + Matthof + destination + + + + + + + + + open + 0240 + 2017-05-28T10:22:00+02:00 + 1 + vbl + stopPoint + + L + + Unterbruch zwischen Luzernerhof und Verkehrshaus + Line disruption between Luzernerhof and Verkehrshaus + + + Feuerwehreinsatz in der Haldenstrasse + Fire brigade action at Haldenstrasse + + + Es muss mit Verspätungen gerechnet werden. + Expect delays. + + + Die Dauer der Störung ist noch unbekannt. + Disruption duration until further notice. + + + + + + + route + + + + + ch:vbl:VBL02A + 2 + + + ch:vbl:119::06 + Luzern Bahnhof + + + + + + + + + open + 0245 + 2017-05-28T10:22:00+02:00 + 1 + vbl + vehicleJourney + + L + + Unterbruch zwischen Luzernerhof und Verkehrshaus + Line disruption between Luzernerhof and Verkehrshaus + + + Feuerwehreinsatz in der Haldenstrasse + Fire brigade action at Haldenstrasse + + + Unterbruch der Linien 6 und 8 + Line 6 and 8 disrupted + + + Umstiegsempfehlung für Linien 6 und 8: Benutzen Sie bis Brüelstrasse die umgeleitete Linie 73 oder die normal verkehrende Linie 14 und steigen Sie an der Brüelstrasse wieder um. Reisende nach dem Verkehrshaus benutzen die S3 oder das Schiff. + Transfer advice for line 6 and 8: Use diverted line 73 or the regular line 14 services to Brüelstrasse and transfer back to line 6 and 8. Travellers to Verkehrshaus use the S3 or ferry. + + + Die Dauer der Störung ist noch unbekannt. + Disruption duration until further notice. + + + + + + + route + + + + + ch:vbl:VBL014A + 14 + + ch:vbl:VBL014:A + Brüelstrasse + + + + ch:vbl:119::08 + Luzern Bahnhof + + + + + + + + + open + 0246 + 2017-05-28T10:22:00+02:00 + 1 + vbl + vehicleJourney + + L + + Unterbruch zwischen Luzernerhof und Verkehrshaus + Line disruption between Luzernerhof and Verkehrshaus + + + Feuerwehreinsatz in der Haldenstrasse + Fire brigade action at Haldenstrasse + + + Unterbruch der Linien 6 und 8 + Line 6 and 8 disrupted + + + Empfehlung für Linien 6 und 8: Für Fahrten zur Brüelstrasse und weiter bleiben Sie in der Linie 14 und steigen Sie an der Brüelstrasse um. Reisende nach dem Verkehrshaus benutzen ab dem Bahnhof die S3 oder das Schiff. + Advice for line 6 and 8: For services to Brüelstrasse and further, stay on line 14 and transfer at Brüelstrasse. Travellers after Verkehrshaus use the S3 or ferry from main station. + + + Die Dauer der Störung ist noch unbekannt. + Disruption duration until further notice. + + + + + + + + +
diff --git a/examples/siri_exm_SX/VDV736_exm/SX_1135_main_message_update.xml b/examples/siri_exm_SX/VDV736_exm/SX_1135_main_message_update.xml index 1556b96b..78038461 100644 --- a/examples/siri_exm_SX/VDV736_exm/SX_1135_main_message_update.xml +++ b/examples/siri_exm_SX/VDV736_exm/SX_1135_main_message_update.xml @@ -1,2206 +1,2205 @@ - - 2018-10-16T10:22:30+00:00 - ch:VBL -
http:/server/siri/20_ums
- Pgfkw0GAsg - true - false - - 2018-10-16T10:22:30+00:00 - ch:VBL - 40599x2dsjmu8yjzy - - - 2017-05-28T09:42:00+02:00 - VBL - 5a7cf4f0-c7a5-11e8-813f-f38697968b53 - 2 - - feed - VBL - - published - - 2017-05-28T09:42:00+02:00 - 2017-05-28T17:10:00+02:00 - - fire - Feuerwehreinsatz in der Haldenstrasse - Fire brigade action at Haldenstrasse - 3 - route - DE - Unterbruch zwischen Luzernerhof und Verkehrshaus - Line disruption between Luzernerhof and Verkehrshaus - - - http://www.vbl.ch/aktuelles/verkehrsmeldungen/stoerungen/20160603_13? - - - - - - - - ch:vbl:622 - Haldensteig - - - - - - disruption - - - - - ch:vbl:VBL006 - 6 - - ch:vbl:2507::01 - Büttenhalde - - - ch:vbl:VBL006:A - Büttenhalde - - - - ch:vbl:621::01 - Casino-Palace - affectedStopplace - - - ch:vbl:615::01 - Europe - affectedStopplace - - - ch:vbl:616::01 - Dietschiberg - affectedStopplace - - - ch:vbl:617::01 - Verkehrshaus - affectedStopplace - - - - - ch:vbl:VBL006 - 6 - - ch:vbl:601:01 - Matthof - - - ch:vbl:VBL006:B - Matthof - - - - ch:vbl:617::02 - Verkehrshaus - affectedStopplace - - - ch:vbl:616::02 - Dietschiberg - affectedStopplace - - - ch:vbl:615::02 - Europe - affectedStopplace - - - ch:vbl:621::02 - Casino-Palace - affectedStopplace - - - ch:vbl:622::02 - Haldensteig - affectedStopplace - - - - - ch:vbl:VBL008 - 8 - - ch:vbl:620:01 - Würzenbach - - - ch:vbl:VBL008:A - Würzenbach - - - - ch:vbl:621::01 - Casino-Palace - affectedStopplace - - - ch:vbl:615::01 - Europe - affectedStopplace - - - ch:vbl:616::01 - Dietschiberg - affectedStopplace - - - ch:vbl:617::01 - Verkehrshaus - affectedStopplace - - - - - ch:vbl:VBL008 - 8 - - ch:vbl:801:01 - Hirtenhof - - - ch:vbl:VBL008:B - Hirtenhof - - - - ch:vbl:617::02 - Verkehrshaus - affectedStopplace - - - ch:vbl:616::02 - Dietschiberg - affectedStopplace - - - ch:vbl:615::02 - Europe - affectedStopplace - - - ch:vbl:621::02 - Casino-Palace - affectedStopplace - - - ch:vbl:622::02 - Haldensteig - affectedStopplace - - - - - - - - true - true - - - - diverted - - - - - ch:vbl:VBL024 - 24 - - ch:vbl:2433:01 - Tschädigen - - - ch:vbl:VBL024:A - Tschädigen - - - - ch:vbl:121::02 - affectedStopplace - - - ch:vbl:621::01 - Casino-Palace - affectedStopplace - - - ch:vbl:617::01 - Verkehrshaus - affectedStopplace - - - ch:vbl:715::01 - intermediate - - - ch:vbl:716::01 - intermediate - - - ch:vbl:1405::01 - intermediate - - - ch:vbl:1406::01 - intermediate - - - ch:vbl:1407::01 - intermediate - - - ch:vbl:1408::01 - intermediate - - - ch:vbl:1409::01 - intermediate - - - ch:vbl:1410::01 - intermediate - - - ch:vbl:1411::01 - intermediate - - - ch:vbl:1412::01 - intermediate - - - - - ch:vbl:VBL024 - 24 - - ch:vbl:119:13 - Bahnhof - - - ch:vbl:VBL024:B - Bahnhof - - - - ch:vbl:617::02 - Verkehrshaus - affectedStopplace - - - ch:vbl:621::02 - affectedStopplace - - - ch:vbl:622::02 - affectedStopplace - - - ch:vbl:1412::02 - intermediate - - - ch:vbl:1411::02 - intermediate - - - ch:vbl:1410::02 - intermediate - - - ch:vbl:1409::02 - intermediate - - - ch:vbl:1408::02 - intermediate - - - ch:vbl:1407::02 - intermediate - - - ch:vbl:1406::02 - intermediate - - - ch:vbl:1405::02 - intermediate - - - ch:vbl:716::02 - intermediate - - - ch:vbl:715::01 - Wey Auch? - intermediate - - - - - - - - true - true - - - PT7M - - - - - - - line - - - - - ch:vbl:VBL006 - 6 - - - ch:vbl:VBL008 - 8 - - - ch:vbl:VBL024 - 24 - - - - - - - open - 0250 - 2017-05-28T09:42:00+02:00 - 1 - vbl - general - - L - - Unterbruch zwischen Luzernerhof und Verkehrshaus - Line disruption between Luzernerhof and Verkehrshaus - - - Feuerwehreinsatz in der Haldenstrasse - Fire brigade action at Haldenstrasse - - - Betroffen sind die Linien 6, 8 und 24 - Affected lines are 6, 8 and 24 - - - Linie 6 und 8 fallen zwischen Luzernerhof und Brüelstrasse aus. + + 2018-10-16T10:22:30+00:00 + ch:VBL +
http:/server/siri/20_ums
+ Pgfkw0GAsg + true + false + + 2018-10-16T10:22:30+00:00 + ch:VBL + 40599x2dsjmu8yjzy + + + 2017-05-28T09:42:00+02:00 + VBL + 5a7cf4f0-c7a5-11e8-813f-f38697968b53 + 2 + + feed + VBL + + published + + 2017-05-28T09:42:00+02:00 + 2017-05-28T17:10:00+02:00 + + fire + Feuerwehreinsatz in der Haldenstrasse + Fire brigade action at Haldenstrasse + 3 + route + DE + Unterbruch zwischen Luzernerhof und Verkehrshaus + Line disruption between Luzernerhof and Verkehrshaus + + + http://www.vbl.ch/aktuelles/verkehrsmeldungen/stoerungen/20160603_13? + + + + + + + + ch:vbl:622 + Haldensteig + + + + + + disruption + + + + + ch:vbl:VBL006 + 6 + + ch:vbl:2507::01 + Büttenhalde + + + ch:vbl:VBL006:A + Büttenhalde + + + + ch:vbl:621::01 + Casino-Palace + affectedStopplace + + + ch:vbl:615::01 + Europe + affectedStopplace + + + ch:vbl:616::01 + Dietschiberg + affectedStopplace + + + ch:vbl:617::01 + Verkehrshaus + affectedStopplace + + + + + ch:vbl:VBL006 + 6 + + ch:vbl:601:01 + Matthof + + + ch:vbl:VBL006:B + Matthof + + + + ch:vbl:617::02 + Verkehrshaus + affectedStopplace + + + ch:vbl:616::02 + Dietschiberg + affectedStopplace + + + ch:vbl:615::02 + Europe + affectedStopplace + + + ch:vbl:621::02 + Casino-Palace + affectedStopplace + + + ch:vbl:622::02 + Haldensteig + affectedStopplace + + + + + ch:vbl:VBL008 + 8 + + ch:vbl:620:01 + Würzenbach + + + ch:vbl:VBL008:A + Würzenbach + + + + ch:vbl:621::01 + Casino-Palace + affectedStopplace + + + ch:vbl:615::01 + Europe + affectedStopplace + + + ch:vbl:616::01 + Dietschiberg + affectedStopplace + + + ch:vbl:617::01 + Verkehrshaus + affectedStopplace + + + + + ch:vbl:VBL008 + 8 + + ch:vbl:801:01 + Hirtenhof + + + ch:vbl:VBL008:B + Hirtenhof + + + + ch:vbl:617::02 + Verkehrshaus + affectedStopplace + + + ch:vbl:616::02 + Dietschiberg + affectedStopplace + + + ch:vbl:615::02 + Europe + affectedStopplace + + + ch:vbl:621::02 + Casino-Palace + affectedStopplace + + + ch:vbl:622::02 + Haldensteig + affectedStopplace + + + + + + + + true + true + + + + diverted + + + + + ch:vbl:VBL024 + 24 + + ch:vbl:2433:01 + Tschädigen + + + ch:vbl:VBL024:A + Tschädigen + + + + ch:vbl:121::02 + affectedStopplace + + + ch:vbl:621::01 + Casino-Palace + affectedStopplace + + + ch:vbl:617::01 + Verkehrshaus + affectedStopplace + + + ch:vbl:715::01 + intermediate + + + ch:vbl:716::01 + intermediate + + + ch:vbl:1405::01 + intermediate + + + ch:vbl:1406::01 + intermediate + + + ch:vbl:1407::01 + intermediate + + + ch:vbl:1408::01 + intermediate + + + ch:vbl:1409::01 + intermediate + + + ch:vbl:1410::01 + intermediate + + + ch:vbl:1411::01 + intermediate + + + ch:vbl:1412::01 + intermediate + + + + + ch:vbl:VBL024 + 24 + + ch:vbl:119:13 + Bahnhof + + + ch:vbl:VBL024:B + Bahnhof + + + + ch:vbl:617::02 + Verkehrshaus + affectedStopplace + + + ch:vbl:621::02 + affectedStopplace + + + ch:vbl:622::02 + affectedStopplace + + + ch:vbl:1412::02 + intermediate + + + ch:vbl:1411::02 + intermediate + + + ch:vbl:1410::02 + intermediate + + + ch:vbl:1409::02 + intermediate + + + ch:vbl:1408::02 + intermediate + + + ch:vbl:1407::02 + intermediate + + + ch:vbl:1406::02 + intermediate + + + ch:vbl:1405::02 + intermediate + + + ch:vbl:716::02 + intermediate + + + ch:vbl:715::01 + Wey Auch? + intermediate + + + + + + + + true + true + + + PT7M + + + + + + + line + + + + + ch:vbl:VBL006 + 6 + + + ch:vbl:VBL008 + 8 + + + ch:vbl:VBL024 + 24 + + + + + + + open + 0250 + 2017-05-28T09:42:00+02:00 + 1 + vbl + general + + L + + Unterbruch zwischen Luzernerhof und Verkehrshaus + Line disruption between Luzernerhof and Verkehrshaus + + + Feuerwehreinsatz in der Haldenstrasse + Fire brigade action at Haldenstrasse + + + Betroffen sind die Linien 6, 8 und 24 + Affected lines are 6, 8 and 24 + + + Linie 6 und 8 fallen zwischen Luzernerhof und Brüelstrasse aus. Linie 24 wird zwischen Luzernerhof und Brüelstrasse via St. Anna umgeleitet. Ca. 7 Min. längere Fahrzeit. - Line 6 and 8 services cancelled between Luzernerhof and Brüelstrasse. + Line 6 and 8 services cancelled between Luzernerhof and Brüelstrasse. Line 24 divirted between Luzernerhof and Brüelstrasse via St. Anna. Approx. 7 min delay. - - - Reisende nach Haldensteig, Casino-Palace, Europe, Dietschiberg und Verkehrshaus erreichen ihr Ziel nur zu Fuß. +
+ + Reisende nach Haldensteig, Casino-Palace, Europe, Dietschiberg und Verkehrshaus erreichen ihr Ziel nur zu Fuß. Zwischen Luzern, Bahnhof und Verkehrshaus benutzen sie die S3 oder das Schiff. Umstiegsempfehlung für die Linien 6 und 8: Bei den Haltestellen Luzernerhof bzw. Brüelstrasse auf die umgeleitete Linie 24, die normal verkehrenden Linien 14 und 73 oder den Entlastungsbus umsteigen. - Travellers to Haldensteig, Casino-Palace, Europe, Dietschiberg and Verkehrshaus can only reach their destination on foot. + Travellers to Haldensteig, Casino-Palace, Europe, Dietschiberg and Verkehrshaus can only reach their destination on foot. Between Luzern, Bahnhof and Verkehrshaus use the S3 or ferry. Transfer advice for line 6 and 8: At Luzernerhof or Brüelstrasse use diverted line 24, 73, additional buses or the regular line 14 services. - - - Die Störung dauert bis ca.12:30 Uhr. - Disruption duration until 12:30pm. - -
-
-
- - - route - - - - - ch:vbl:VBL006 - 6 - - ch:vbl:VBL006:A - Büttenenhalde - - - - ch:vbl:601::01 - Matthof - - - ch:vbl:602::01 - Schönbühl - - - ch:vbl:603::03 - Wartegg - - - ch:vbl:604::01 - Eisfeldstrasse - - - ch:vbl:605::01 - Weinbergli - - - ch:vbl:606::01 - Werkhofstrasse - - - ch:vbl:407::02 - Bundesplatz - - - ch:vbl:118::01 - Kantonalbank (C) - - - ch:vbl:119::02 - Bahnhof (B) - - - ch:vbl:120::01 - Schwanenplatz - - - - - - - - - open - 0260 - 2017-05-28T09:42:00+02:00 - 1 - vbl - vehicleJourney - - L - - Unterbruch zwischen Luzernerhof und Verkehrshaus - Line disruption between Luzernerhof and Verkehrshaus - - - Feuerwehreinsatz in der Haldenstrasse - Fire brigade action at Haldenstrasse - - - Die Linie 6 fällt zwischen Luzernerhof und Brüelstrasse aus. - Line 6 cancelled between Luzernerhof and Brüelstrasse. - - - Reisende nach Brüelstrasse und weiter benützen die umgeleitete Linie 24 (ohne Halte zwischen Wey und Brüelstrasse) oder die normal verkehrenden Linien 14 und 73 und steigen an der Brüelstrasse wieder um. Reisende nach Haldensteig, Casino-Palace, Europe, Dietschiberg und Verkehrshaus erreichen ihr Ziel nur zu Fuß. - Travellers to Brüelstrasse or further use the diverted line 24 (direct between Wey and Brühlstrasse) or the regular line 14 or 73 services and transfer back at Brüelstrasse. Travellers to Haldensteig, Casino-Palace, Europe, Dietschiberg and Verkehrshaus can only reach their destination on foot. - - - Die Störung dauert bis ca.12:30 Uhr. - Disruption duration until 12:30pm. - - - - - open - 0270 - 2017-05-28T09:42:00+02:00 - 1 - vbl - stopPoint - - L - - Unterbruch zwischen Luzernerhof und Verkehrshaus - Line disruption between Luzernerhof and Verkehrshaus - - - Feuerwehreinsatz in der Haldenstrasse - Fire brigade action at Haldenstrasse - - - Die Linie 6 fällt zwischen Luzernerhof und Brüelstrasse aus. - Line 6 cancelled between Luzernerhof and Brüelstrasse. - - - Reisende nach Brüelstrasse und weiter benützen die umgeleitete Linie 24 (ohne Halte zwischen Wey und Brüelstrasse) oder die normal verkehrenden Linien 14 und 73 und steigen an der Brüelstrasse wieder um. Reisende nach Haldensteig, Casino-Palace, Europe, Dietschiberg und Verkehrshaus erreichen ihr Ziel nur zu Fuß. - Travellers to Brüelstrasse or further use the diverted line 24 (direct between Wey and Brühlstrasse) or the regular services of line 14 or 73 and transfer back at Brüelstrasse. Travellers to Haldensteig, Casino-Palace, Europe, Dietschiberg and Verkehrshaus can only reach their destination on foot. - - - Die Störung dauert bis ca.12:30 Uhr. - Disruption duration until 12:30pm. - - - Weitere Informationen erhalten Sie unter www.vbl.ch/stoerung/haldenstrasse - For further information, please visit www.vbl.ch/stoerung/haldenstrasse - - - www.vbl.ch/stoerung/haldenstrasse - - - - - - - route - - - - - ch:vbl:VBL006 - 6 - - - ch:vbl:121::02 - Luzernerhof (B) - - - - - - - - - open - 0280 - 2017-05-28T09:42:00+02:00 - 1 - vbl - stopPoint - - L - - Unterbruch zwischen Luzernerhof und Verkehrshaus - Line disruption between Luzernerhof and Verkehrshaus - - - Feuerwehreinsatz in der Haldenstrasse - Fire brigade action at Haldenstrasse - - - Linie 6 wendet hier - Line 6 turns here - - - Reisende zur Brüelstrasse und weiter benützen die umgeleitete Linie 24 und den Entlastungsbus (ohne Halte zwischen Wey und Brüelstrasse) oder die normale verkehrende Linie 14 (mit Halten) ab Kante F (Wey) oder die Linie 73 ab Kante D und steigen an der Brüelstrasse wieder um. Reisende nach Haldensteig, Casino-Palace, Europe, Dietschiberg und Verkehrshaus erreichen ihr Ziel nur zu Fuß. - Travellers to Brüelstrasse or further use the diverted line 24, additonal buses (direct between Wey and Brüelstrasse), the regular services of line 14 (all stops) from platform F (Way) or line 73 from platform D and transfer back at Brüelstrasse. Travellers to Haldensteig, Casino-Palace, Europe, Dietschiberg and Verkehrshaus can only reach their destination on foot. - - - - - - - route - - - - - ch:vbl:VBL006 - 6 - - - ch:vbl:121::01 - Luzernerhof (C) - - - ch:vbl:121::02 - Luzernerhof (D) - - - - - ch:vbl:VBL008 - 8 - - - ch:vbl:121::01 - Luzernerhof (C) - - - ch:vbl:121::02 - Luzernerhof (D) - - - - - - - - - open - 0290 - 2017-05-28T09:42:00+02:00 - 1 - vbl - stopPoint - - L - - Unterbruch zwischen Luzernerhof und Verkehrshaus - Line disruption between Luzernerhof and Verkehrshaus - - - Feuerwehreinsatz in der Haldenstrasse - Fire brigade action at Haldenstrasse - - - Unterbruch der Linien 6 und 8 - Line 6 and 8 disrupted - - - Umstiegsempfehlung für Linien 6 und 8: Benutzen Sie bis Brüelstrasse die umgeleitete Linie 24, die normal verkehrende Linie 14 und den Entlastungsbus ab Kante F (Wey) oder die Linie 73 ab Kante D und steigen Sie an der Brüelstrasse wieder um. Reisende nach Haldensteig, Casino-Palace, Europe, Dietschiberg und Verkehrshaus erreichen ihr Ziel nur zu Fuß. - Transfer advice line 6 and 8: To Brüelstrasse use diverted line 24, the regular line 14 services or the additional buses from platform F (Wey) or line 73 from platform D and transfer back at Brüelstrasse. Travellers to Haldensteig, Casino-Palace, Europe, Dietschiberg and Verkehrshaus can only reach their destination on foot. - - - Die Störung dauert bis ca.12:30 Uhr. - Disruption duration until 12:30pm. - - - Weitere Informationen erhalten Sie beim Auskunftspersonal. - For further information, please contact staff. - - - - - - - route - - - - - ch:vbl:Entlastungsbusse - - - ch:vbl:715::01 - Wey - - - - - ch:vbl:VBL014 - 14 - - - ch:vbl:715::01 - Wey - - - - - ch:vbl:VBL24 - 24 - - - ch:vbl:715::01 - Wey - - - - - - - - - open - 0300 - 2017-05-28T09:42:00+02:00 - 1 - vbl - stopPoint - - L - - Unterbruch zwischen Luzernerhof und Verkehrshaus - Line disruption between Luzernerhof and Verkehrshaus - - - Feuerwehreinsatz in der Haldenstrasse - Fire brigade action at Haldenstrasse - - - Unterbruch der Linien 6 und 8; Umleitung der Linien 24. - Line 6 and 8 disrupted; Line 24 diverted. - - - Benutzen Sie die umgeleitete Linie 24 und den Entlastungsbus (ohne Halte bis Brüelstrasse) oder die normal verkehrenden Linie 14 (mit Halten) und 73 bis Brüelstrasse. - Use diverted line 24, additional buses (direct to Brüelstrasse), regular services of line 14 (all stops) or 73 to Brüelstrasse. - - - Die Störung dauert bis ca.12:30 Uhr. - Disruption duration until 12:30pm. - - - - - - - route - - - - - ch:vbl:VBL006 - 06 - - ch:vbl:VBL006:A - Büttenenhalde - - - - ch:vbl:121::02 - Luzernerhof (D) - - - - - ch:vbl:VBL008 - 08 - - ch:vbl:VBL008:A - Würzenbach - - - - ch:vbl:121::02 - Luzernerhof (D) - - - - - - - - - open - 0370 - 2017-05-28T09:42:00+02:00 - 1 - vbl - stopPoint - - L - - Unterbruch zwischen Luzernerhof und Verkehrshaus - Line disruption between Luzernerhof and Verkehrshaus - - - Feuerwehreinsatz in der Haldenstrasse - Fire brigade action at Haldenstrasse - - - Linie 6 und 8 fallen bis Brüelstrasse aus. Linie 24 wird zwischen Luzernerhof und Brüel via St. Anna umgeleitet. Ca. 7 Min. längere Fahrzeit. Linie 73 verkehrt wieder normal. - Line 6 and 8 cancelled services to Brüelstrasse. Line 24 services diverted between Luzernerhof and Brüel via St. Anna. Approx. 7 min delay. Line 73 back to regular service. - - - Umstiegsempfehlung für Linien 6 und 8: Benutzen Sie bis Brüelstrasse die umgeleitete Linie 24 und den Entlastungsbus (ohne Halte zwischen Wey und Brüelstrasse) oder die normale verkehrende Linie 14 (mit Halten) ab Kante F (Wey) oder die Linie 73 ab Kante D und steigen Sie an der Brüelstrasse um. Reisende nach Haldensteig, Casino-Palace, Europe, Dietschiberg und Verkehrshaus erreichen ihr Ziel nur zu Fuß. - Transfer advice for line 6 and 8: Use diverted line 73, additonal buses (direct between Wey and Brüelstrasse), the regular line 14 services (all stops) from platform F (Wey) or line 73 from platform D and transfer back at Brüelstrasse. Travellers to Haldensteig, Casino-Palace, Europe, Dietschiberg and Verkehrshaus can only reach their destination on foot. - - - Die Störung dauert bis ca.12:30 Uhr. - Disruption duration until 12:30pm. - - - - - - - route - - - - - ch:vbl:VBL006 - 6 - - ch:vbl:VBL006:A - Büttenenhalde - - - - ch:vbl:621::01 - Casino-Palace - - - ch:vbl:615::01 - Europe - - - ch:vbl:616::01 - Dietschiberg - - - ch:vbl:617::01 - Verkehrshaus - - - - - ch:vbl:VBL008 - 8 - - ch:vbl:VBL008:A - Würzenbach - - - - ch:vbl:621::01 - Casino-Palace - - - ch:vbl:615::01 - Europe - - - ch:vbl:616::01 - Dietschiberg - - - ch:vbl:617::01 - Verkehrshaus - - - - - ch:vbl:VBL024 - 24 - - ch:vbl:VBL024:A - Tschädingen - - - - ch:vbl:621::01 - Casino-Palace - - - ch:vbl:615::01 - Europe - - - ch:vbl:616::01 - Dietschiberg - - - ch:vbl:617::01 - Verkehrshaus - - - - - ch:vbl:VBL006 - 6 - - ch:vbl:VBL006:B - Matthof - - - - ch:vbl:617::02 - Verkehrshaus - - - ch:vbl:616::02 - Dietschiberg - - - ch:vbl:615::02 - Europe - - - ch:vbl:621::02 - Casino-Palace - - - ch:vbl:622::01 - Haldensteig - - - - - ch:vbl:VBL008 - 8 - - ch:vbl:VBL008:B - Hirtenhof - - - - ch:vbl:617::02 - Verkehrshaus - - - ch:vbl:616::02 - Dietschiberg - - - ch:vbl:615::02 - Europe - - - ch:vbl:621::02 - Casino-Palace - - - ch:vbl:622::01 - Haldensteig - - - - - ch:vbl:VBL024 - 24 - - ch:vbl:VBL024:B - Bahnhof - - - - ch:vbl:617::02 - Verkehrshaus - - - ch:vbl:616::02 - Dietschiberg - - - ch:vbl:615::02 - Europe - - - ch:vbl:621::02 - Casino-Palace - - - ch:vbl:622::01 - Haldensteig - - - - - - - - - open - 0380 - 2017-05-28T09:42:00+02:00 - 1 - vbl - stopPoint - - L - - Unterbruch zwischen Luzernerhof und Verkehrshaus - Line disruption between Luzernerhof and Verkehrshaus - - - Feuerwehreinsatz in der Haldenstrasse - Fire brigade action at Haldenstrasse - - - Keine Bedienung der Linien 6, 8 und 24 zwischen Luzernerhof und Brüelstrasse - Line 6, 8 and 24 no service between Luzernerhof and Brüelstrasse - - - Reisende zwischen Luzernerhof und Brüelstrasse erreichen ihr Ziel nur zu Fuß. Ab Luzernerhof und Brüelstrasse verkehren die Linie auf den normalen Fahrwegen. - Travellers between Luzernerhof and Brüelstrasse can only reach their destination on foot. From Luzernerhof and Brüelstrasse lines will run on regular routes. - - - Die Störung dauert bis ca.12:30 Uhr. - Disruption duration until 12:30pm. - - - Fällt aus - Cancelled - - - - - - - route - - - - - ch:vbl:014 - 14 - - ch:vbl:VBL014:A - Brüelstrasse - - - - ch:vbl:618::01 - Brüelstrasse - destination - - - - - - - - - open - 0310 - 2017-05-28T09:42:00+02:00 - 1 - vbl - vehicleJourney - - L - - Unterbruch zwischen Luzernerhof und Verkehrshaus - Line disruption between Luzernerhof and Verkehrshaus - - - Feuerwehreinsatz in der Haldenstrasse - Fire brigade action at Haldenstrasse - - - Die Fahrt endet hier - Service terminates here - - - Einstieg der Linien 6 und 8 bei Kante C. Reisende nach Verkehrshaus und Dietschiberg erreichen ihr Ziel nur zu Fuß. - Board line 6 and 8 from platform C. Travellers to Verkehrshaus and Dietschiberg can only reach their destination on foot. - - - - - - - route - - - - - ch:vbl:024 - 24 - - ch:vbl:VBL014:A - Brüelstrasse - - - - ch:vbl:618::04 - Brüelstrasse - destination - - - - - - - - - open - 0320 - 2017-05-28T09:42:00+02:00 - 1 - vbl - vehicleJourney - - L - - Unterbruch zwischen Luzernerhof und Verkehrshaus - Line disruption between Luzernerhof and Verkehrshaus - - - Feuerwehreinsatz in der Haldenstrasse - Fire brigade action at Haldenstrasse - - - Die Umleitung endet hier - Diversion ends here - - - Umstieg auf Linie 6 und 8: Einstieg bei Kante C. Reisende nach Verkehrshaus und Dietschiberg erreichen ihr Ziel nur zu Fuß. - Transfer to line 6 and 8: Board from platform C. Travellers to Verkehrshaus and Dietschiberg can only reach their destination on foot. - - - - - - - route - - - - - ch:vbl:VBL006 - 06 - - ch:vbl:VBL006:A - Büttenenhalde - - - - ch:vbl:618::03 - Brüelstrasse - - - - - ch:vbl:VBL008 - 08 - - ch:vbl:VBL008:A - Würzenbach - - - - ch:vbl:618::03 - Brüelstrasse - - - - - - - - - open - 0330 - 2017-05-28T09:42:00+02:00 - 1 - vbl - stopPoint - - L - - Unterbruch zwischen Luzernerhof und Verkehrshaus - Line disruption between Luzernerhof and Verkehrshaus - - - Feuerwehreinsatz in der Haldenstrasse - Fire brigade action at Haldenstrasse - - - Normale Bedienung der Linien 6 bis Büttenenhalde und 8 bis Würzenbach. Es muss mit Verspätungen gerechnet werden. - Regular service on line 6 to Büttenenhalde and 8 to Würzenbach. Expect delays. - - - Die Störung dauert bis ca.12:30 Uhr. - Disruption duration until 12:30pm. - - - - - - - route - - - - - ch:vbl:VBL006 - 6 - - ch:vbl:VBL006:A - Büttenhalde - - - - ch:vbl:2502::01 - Giseli - - - ch:vbl:2503::01 - Oberseeburg - intermediate - - - ch:vbl:2504::01 - Oberseeburghöhe - intermediate - - - ch:vbl:2505::01 - Eggen - intermediate - - - ch:vbl:2506::01 - Büttenen - intermediate - - - ch:vbl:2507::01 - Büttenenhalde - destination - - - - - ch:vbl:VBL008 - 8 - - ch:vbl:VBL008:A - Würzenbach - - - - ch:vbl:619::01 - Würzenbachmatte - intermediate - - - ch:vbl:620::01 - Würzenbach - destination - - - - - - - - - open - 0340 - 2017-05-28T09:42:00+02:00 - 1 - vbl - stopPoint - - L - - Unterbruch zwischen Luzernerhof und Verkehrshaus - Line disruption between Luzernerhof and Verkehrshaus - - - Feuerwehreinsatz in der Haldenstrasse - Fire brigade action at Haldenstrasse - - - Es muss mit Verspätungen gerechnet werden. - Expect delays. - - - Die Störung dauert bis ca. 12:30 Uhr. - Disruption duration until 12:30pm. - - - - - - - route - - - - - ch:vbl:Entlastungsbus - Entlastungsbus - - ch:vbl:VBL006:A - Büttenhalde - - - - ch:vbl:618::04 - Brüelstrasse - - - - - - - - - open - 0350 - 2017-05-28T10:22:00+02:00 - 1 - vbl - vehicleJourney - - L - - Unterbruch zwischen Luzernerhof und Verkehrshaus - Line disruption between Luzernerhof and Verkehrshaus - - - Feuerwehreinsatz in der Haldenstrasse - Fire brigade action at Haldenstrasse - - - Diese Fahrt endet hier - This service terminates here - - - Einstieg der Linien 6 und 8 bei Kante C. Reisende nach Verkehrshaus und Dietschiberg erreichen ihr Ziel nur zu Fuß. - Board line 6 and 8 from platform C. Travellers to Verkehrshaus and Dietschiberg can only reach their destination on foot. - - - - - - - route - - - - - ch:vbl:VBL006 - 6 - - ch:vbl:VBL006:B - Matthof - - - - ch:vbl:2507::01 - Büttenenhalde - origin - - - ch:vbl:2506::02 - Büttenen - intermediate - - - ch:vbl:2505::02 - Eggen - intermediate - - - ch:vbl:2504::02 - Oberseeburghöhe - intermediate - - - ch:vbl:2503::02 - Oberseeburg - intermediate - - - ch:vbl:2502::02 - Giseli - intermediate - - - - - - - - - open - 0390 - 2017-05-28T09:42:00+02:00 - 1 - vbl - vehicleJourney - - L - - Unterbruch zwischen Luzernerhof und Verkehrshaus - Line disruption between Luzernerhof and Verkehrshaus - - - Feuerwehreinsatz in der Haldenstrasse - Fire brigade action at Haldenstrasse - - - Die Linie 6 fällt zwischen Brüelstrasse und Luzernerhof aus. - Line 6 cancelled between Brüelstrasse and Luzernerhof. - - - Reisende nach Luzernerhof oder weiter benützen die umgeleitete Linie 24 und den Entlastungsbus (ohne Halte zwischen Brüelstrasse und Luzernerhof) oder die normal verkehrenden Linien 14 (mit Halten) und 73 bis Luzernerhof und steigen dort wieder um. Reisende nach Verkehrshaus, Dietschiberg, Europe, Casino-Palace und Haldensteig erreichen ihr Ziel nur zu Fuß. - Travellers to Luzernerhof or further use the diverted line 24, additional buses (direct between Brühlstrasse and Luzernerhof), the regular line 14 services (all stop) or line 73 to Luzernhof and transfer there. Travellers to Verkehrshaus, Dietschiberg, Europe, Casino-Palace and Haldensteig can only reach their destination on foot. - - - Die Störung dauert bis ca. 12:30 Uhr. - Disruption duration until 12:30pm. - - - - - - - route - - - - - ch:vbl:VBL006 - 6 - - ch:vbl:VBL006:B - Matthof - - - - ch:vbl:2507::01 - Büttenenhalde - origin - - - ch:vbl:2506::02 - Büttenen - intermediate - - - ch:vbl:2505::02 - Eggen - intermediate - - - ch:vbl:2504::02 - Oberseeburghöhe - intermediate - - - ch:vbl:2503::02 - Oberseeburg - intermediate - - - ch:vbl:2502::02 - Giseli - intermediate - - - - - - - - - open - 0400 - 2017-05-28T09:42:00+02:00 - 1 - vbl - stopPoint - - L - - Unterbruch zwischen Luzernerhof und Verkehrshaus - Line disruption between Luzernerhof and Verkehrshaus - - - Feuerwehreinsatz in der Haldenstrasse - Fire brigade action at Haldenstrasse - - - Die Linie 6 fällt zwischen Brüelstrasse und Luzernerhof aus. - Line 6 cancelled between Brüelstrasse and Luzernerhof. - - - Reisende nach Luzernerhof oder weiter benützen die umgeleitete Linie 24 und den Entlastungsbus (ohne Halte zwischen Brüelstrasse und Luzernerhof) oder die normal verkehrenden Linien 14 (mit Halten) und 73 bis Luzernerhof und steigen dort wieder um. Reisende nach Verkehrshaus, Dietschiberg, Europe, Casino-Palace und Haldensteig erreichen ihr Ziel nur zu Fuß. - Travellers to Luzernerhof or further use the diverted line 24, the additional buses (direct between Brühlstrasse and Luzernerhof), the regular line 14 services (all stop) or line 73 to Luzernhof and transfer there. Travellers to Verkehrshaus, Dietschiberg, Europe, Casino-Palace and Haldensteig can only reach their destination on foot. - - - Die Störung dauert bis ca. 12:30 Uhr. - Disruption duration until 12:30pm. - - - - - - - route - - - - - ch:vbl:VBL006 - 6 - - ch:vbl:VBL006:B - Matthof - - - - ch:vbl:618::02 - Brüelstrasse - - - - - - - - - open - 0410 - 2017-05-28T09:42:00+02:00 - 1 - vbl - vehicleJourney - - L - - Unterbruch zwischen Luzernerhof und Verkehrshaus - Line disruption between Luzernerhof and Verkehrshaus - - - Feuerwehreinsatz in der Haldenstrasse - Fire brigade action at Haldenstrasse - - - Linie 6 wendet hier - Line 6 turns here - - - Reisende zum Luzernerhof oder weiter benützen die umgeleitete Linie 24 und den Entlastungsbus (ohne Halte bis Luzernerhof) oder die normal verkehrende Linie 14 (mit Halten) oder 73 ab Kante D und steigen beim Luzernerhof wieder um. Reisende nach Verkehrshaus, Dietschiberg, Europe, Casino-Palace und Haldensteig erreichen ihr Ziel nur zu Fuß. - Travellers to Luzernerhof or further use the diverted line 24, addintional buses (direct to Luzernerhof), the regular line 14 services (all stops) or line 73 from platform D and transfer back to Luzernerhof. Travellers to Verkehrshaus, Dietschiberg, Europe, Casino-Palace and Haldensteig can only reach their destination on foot. - - - - - - - route - - - - - ch:vbl:VBL006 - 6 - - ch:vbl:VBL006:B - Matthof - - - - ch:vbl:618::02 - Brüelstrasse - - - - - - - - - open - 0420 - 2017-05-28T09:42:00+02:00 - 1 - vbl - stopPoint - - L - - Unterbruch zwischen Luzernerhof und Verkehrshaus - Line disruption between Luzernerhof and Verkehrshaus - - - Feuerwehreinsatz in der Haldenstrasse - Fire brigade action at Haldenstrasse - - - Unterbruch der Linien 6 und 8 - Line 6 and 8 disrupted - - - Reisende zum Luzernerhof oder weiter benützen die umgeleitete Linie 24 und den Entlastungsbus (ohne Halte bis Luzernerhof) ab Kante D oder die normal verkehrenden Linien 14 (mit Halten) ab Kante D und 73 ab Kante C und steigen beim Luzernerhof wieder um. Reisende nach Verkehrshaus, Dietschiberg, Europe, Casino-Palace und Haldensteig erreichen ihr Ziel nur zu Fuß. - Travellers to Luzernerhof or further use the diverted line 24, addintional buses (direct to Luzernerhof) from platform D, the regular line 14 services (all stops) from platform D or line 73 from platform C and transfer back to Luzernerhof. Travellers to Verkehrshaus, Dietschiberg, Europe, Casino-Palace and Haldensteig can only reach their destination on foot. - - - Die Störung dauert bis ca. 12:30 Uhr. - Disruption duration until 12:30pm. - - - - - - - route - - - - - ch:vbl:Entlastungsbus - Entlastungsbus - - ch:vbl:VBL006:A - Büttenhalde - - - - ch:vbl:VBL014 - 14 - - ch:vbl:VBL014:A - Brühlstrasse - - - - ch:vbl:618::01 - Brühlstrasse - destination - - - - - - - ch:vbl:VBL024 - 24 - - ch:vbl:VBL024:B - Bahnhof - - - - ch:vbl:618::01 - Brühlstrasse - destination - - - - - - - - - open - 0430 - 2017-05-28T09:42:00+02:00 - 1 - vbl - stopPoint - - L - - Unterbruch zwischen Luzernerhof und Verkehrshaus - Line disruption between Luzernerhof and Verkehrshaus - - - Feuerwehreinsatz in der Haldenstrasse - Fire brigade action at Haldenstrasse - - - Unterbruch der Linien 6 und 8; Umleitung der Linien 24. - Line 6 and 8 disrupted; Line 24 diverted. - - - Benutzen Sie die umgeleitete Linie 24 und den Entlastungsbus (ohne Halte bis Luzernerhof) oder die normal verkehrenden Linien 14 (mit Halten) und 73 bis Luzernerhof. - Use diverted line 24 and additional buses (direct to Luzernerhof) or the regular line 14 (all stops) and line 73 to Luzernerhof. - - - Die Störung dauert bis ca. 12:30 Uhr. - Disruption duration until 12:30pm. - - - - - - - route - - - - - ch:vbl:Entlastungsbus - Entlastungsbus - - ch:vbl:VBL006:A - Büttenhalde - - - - ch:vbl:121::03 - Luzernerhof - - - - - - - - - open - 0440 - 2017-05-28T09:42:00+02:00 - 1 - vbl - vehicleJourney - - L - - Unterbruch zwischen Luzernerhof und Verkehrshaus - Line disruption between Luzernerhof and Verkehrshaus - - - Feuerwehreinsatz in der Haldenstrasse - Fire brigade action at Haldenstrasse - - - Diese Fahrt endet hier - This service terminates here - - - Einstieg der Linien 6 und 8 bei Kante A. Reisende nach Haldensteig, Casino-Palace, Europe, Dietschiberg und Verkehrshaus erreichen ihr Ziel nur zu Fuß. - Board line 6 and 8 from platform A. Travellers to Haldensteig, Casino-Palace, Europe, Dietschiberg and Verkehrshaus can only reach their destination on foot. - - - Die Störung dauert bis ca. 12:30 Uhr. - Disruption duration until 12:30pm. - - - - - - - route - - - - - ch:vbl:VBL024 - 24 - - ch:vbl:VBL024:B - Bahnhof - - - - ch:vbl:121::04 - Luzernerhof - origin - - - - - - - - - open - 0450 - 2017-05-28T09:42:00+02:00 - 1 - vbl - vehicleJourney - - L - - Unterbruch zwischen Luzernerhof und Verkehrshaus - Line disruption between Luzernerhof and Verkehrshaus - - - Feuerwehreinsatz in der Haldenstrasse - Fire brigade action at Haldenstrasse - - - Die Umleitung endet hier - Diversion ends here - - - Umstieg auf Linie 6 und 8: Einstieg bei Kante A. Reisende nach Haldensteig, Casino-Palace, Europe, Dietschiberg und Verkehrshaus erreichen ihr Ziel nur zu Fuß. - Transfer to line 6 and 8: Board from platform A. Travellers to Haldensteig, Casino-Palace, Europe, Dietschiberg and Verkehrshaus can only reach their destination on foot. - - - - - - - route - - - - - ch:vbl:VBL014 - 14 - - ch:vbl:VBL014:B - Horw Zentrum - - - - ch:vbl:121::03 - Luzernerhof - intermediate - - - - - - - - - open - 0455 - 2017-05-28T09:42:00+02:00 - 1 - vbl - vehicleJourney - - L - - Unterbruch zwischen Luzernerhof und Verkehrshaus - - - Feuerwehreinsatz in der Haldenstrasse - - - Umstieg auf Linie 6 und 8: Einstieg bei Kante A. Reisende nach Haldensteig, Casino-Palace, Europe, Dietschiberg und Verkehrshaus erreichen ihr Ziel nur zu Fuß. - - - - - - - route - - - - - ch:vbl:VBL024 - 24 - - ch:vbl:VBL024:B - Bahnhof - - - - ch:vbl:121::03 - Luzernerhof - origin - - - - - - - - - open - 0460 - 2017-05-28T09:42:00+02:00 - 1 - vbl - stopPoint - - L - - Unterbruch zwischen Luzernerhof und Verkehrshaus - Line disruption between Luzernerhof and Verkehrshaus - - - Feuerwehreinsatz in der Haldenstrasse - Fire brigade action at Haldenstrasse - - - Die Umleitung endet hier - Diversion ends here - - - Umstieg auf die Linien 6 und 8: Einstieg bei Kante A. Reisende nach Haldensteig, Casino-Palace, Europe, Dietschiberg und Verkehrshaus erreichen ihr Ziel nur zu Fuß. - Transfer to line 6 and 8: Board from platform A. Travellers to Haldensteig, Casino-Palace, Europe, Dietschiberg and Verkehrshaus can only reach their destination on foot. - - - - - - - route - - - - - ch:vbl:VBL006 - 6 - - ch:vbl:VBL006:B - Matthof - - - - ch:vbl:121::04 - Luzernerhof - origin - - - - - ch:vbl:VBL008 - 8 - - ch:vbl:VBL008:B - Hiertenhof - - - - ch:vbl:121::04 - Luzernerhof - origin - - - - - - - - - open - 0470 - 2017-05-28T09:42:00+02:00 - 1 - vbl - stopPoint - - L - - Unterbruch zwischen Luzernerhof und Verkehrshaus - Line disruption between Luzernerhof and Verkehrshaus - - - Feuerwehreinsatz in der Haldenstrasse - Fire brigade action at Haldenstrasse - - - Normale Bedienung der Linien 6 bis Matthof und 8 bis Hirtenhof. Es muss mit Verspätungen gerechnet werden. - Regular service on line 6 to Matthof and line 8 to Hirtenhof. Expect delays. - - - Die Störung dauert bis ca. 12:30 Uhr. - Disruption duration until 12:30pm. - - - - - - - route - - - - - ch:vbl:VBL006 - 6 - - ch:vbl:VBL006:B - Matthof - - - - ch:vbl:120::02 - Schwanenplatz - intermediate - - - ch:vbl:119::01 - Bahnhof - intermediate - - - ch:vbl:118::02 - Kantonalbank - intermediate - - - ch:vbl:407::03 - Bundesplatz - intermediate - - - ch:vbl:606::02 - Werkhofstrasse - intermediate - - - ch:vbl:605::02 - Weinbergli - intermediate - - - ch:vbl:604::02 - Eisfeldstrasse - intermediate - - - ch:vbl:603::02 - Wartegg - intermediate - - - ch:vbl:602::02 - Schönbühl - intermediate - - - ch:vbl:601::01 - Matthof - destination - - - - - - - - - open - 0480 - 2017-05-28T09:42:00+02:00 - 1 - vbl - stopPoint - - L - - Unterbruch zwischen Luzernerhof und Verkehrshaus - Line disruption between Luzernerhof and Verkehrshaus - - - Feuerwehreinsatz in der Haldenstrasse - Fire brigade action at Haldenstrasse - - - Es muss mit Verspätungen gerechnet werden. - Expect delays. - - - Die Störung dauert bis ca. 12:30 Uhr. - Disruption duration until 12:30pm. - - - - - - - line - - - - - ch:vbl:VBL002 - 2 - - - ch:vbl:VBL002:A - Bahnhof - - - - ch:vbl:119::06 - Bahnhof - destination - - - - - - - - - open - 0481 - 2017-05-28T09:42:00+02:00 - 1 - vbl - vehicleJourney - - L - - Unterbruch zwischen Luzernerhof und Verkehrshaus - Line disruption between Luzernerhof and Verkehrshaus - - - Feuerwehreinsatz in der Haldenstrasse - Fire brigade action at Haldenstrasse - - - Unterbruch der Linien 6 und 8 - Line 6 and 8 disrupted - - - Umstiegsempfehlung für Linien 6 und 8: Benutzen Sie bis Brüelstrasse die Linien 14 oder 73 und steigen Sie an der Brüelstrasse wieder um. Reisende nach dem Verkehrshaus benutzen die S3 oder das Schiff. - Transfer advice line 6 and 8: Use line 14 or 73 to Brüelstrasse and transfer back to line 6 and 8. Travellers to Verkehrshaus use the S3 or ferry. - - - Die Störung dauert bis ca. 12:30 Uhr. - Disruption duration until 12:30pm. - - - - - - - route - - - - - ch:vbl:VBL014 - 14 - - ch:vbl:VBL014:A - Brüelstrasse - - - - ch:vbl:119::08 - Bahnhof - intermediate - - - - - - - - - open - 0482 - 2017-05-28T09:42:00+02:00 - 1 - vbl - stopPoint - - L - - Unterbruch zwischen Luzernerhof und Verkehrshaus - Line disruption between Luzernerhof and Verkehrshaus - - - Feuerwehreinsatz in der Haldenstrasse - Fire brigade action at Haldenstrasse - - - Unterbruch der Linien 6 und 8 - Line 6 and 8 disrupted - - - Umstiegsempfehlung für Linien 6 und 8: Benutzen Sie bis Brüelstrasse die Linien 14 oder 73 und steigen Sie an der Brüelstrasse wieder um. Reisende nach dem Verkehrshaus benutzen die S3 oder das Schiff. - Transfer advice line 6 and 8: Use line 14 or 73 to Brüelstrasse and transfer back to line 6 and 8. Travellers to Verkehrshaus use the S3 or ferry. - - - Die Störung dauert bis ca. 12:30 Uhr. - Disruption duration until 12:30pm. - - - - -
-
-
-
-
+ + + Die Störung dauert bis ca.12:30 Uhr. + Disruption duration until 12:30pm. + + + + + + + route + + + + + ch:vbl:VBL006 + 6 + + ch:vbl:VBL006:A + Büttenenhalde + + + + ch:vbl:601::01 + Matthof + + + ch:vbl:602::01 + Schönbühl + + + ch:vbl:603::03 + Wartegg + + + ch:vbl:604::01 + Eisfeldstrasse + + + ch:vbl:605::01 + Weinbergli + + + ch:vbl:606::01 + Werkhofstrasse + + + ch:vbl:407::02 + Bundesplatz + + + ch:vbl:118::01 + Kantonalbank (C) + + + ch:vbl:119::02 + Bahnhof (B) + + + ch:vbl:120::01 + Schwanenplatz + + + + + + + + + open + 0260 + 2017-05-28T09:42:00+02:00 + 1 + vbl + vehicleJourney + + L + + Unterbruch zwischen Luzernerhof und Verkehrshaus + Line disruption between Luzernerhof and Verkehrshaus + + + Feuerwehreinsatz in der Haldenstrasse + Fire brigade action at Haldenstrasse + + + Die Linie 6 fällt zwischen Luzernerhof und Brüelstrasse aus. + Line 6 cancelled between Luzernerhof and Brüelstrasse. + + + Reisende nach Brüelstrasse und weiter benützen die umgeleitete Linie 24 (ohne Halte zwischen Wey und Brüelstrasse) oder die normal verkehrenden Linien 14 und 73 und steigen an der Brüelstrasse wieder um. Reisende nach Haldensteig, Casino-Palace, Europe, Dietschiberg und Verkehrshaus erreichen ihr Ziel nur zu Fuß. + Travellers to Brüelstrasse or further use the diverted line 24 (direct between Wey and Brühlstrasse) or the regular line 14 or 73 services and transfer back at Brüelstrasse. Travellers to Haldensteig, Casino-Palace, Europe, Dietschiberg and Verkehrshaus can only reach their destination on foot. + + + Die Störung dauert bis ca.12:30 Uhr. + Disruption duration until 12:30pm. + + + + + open + 0270 + 2017-05-28T09:42:00+02:00 + 1 + vbl + stopPoint + + L + + Unterbruch zwischen Luzernerhof und Verkehrshaus + Line disruption between Luzernerhof and Verkehrshaus + + + Feuerwehreinsatz in der Haldenstrasse + Fire brigade action at Haldenstrasse + + + Die Linie 6 fällt zwischen Luzernerhof und Brüelstrasse aus. + Line 6 cancelled between Luzernerhof and Brüelstrasse. + + + Reisende nach Brüelstrasse und weiter benützen die umgeleitete Linie 24 (ohne Halte zwischen Wey und Brüelstrasse) oder die normal verkehrenden Linien 14 und 73 und steigen an der Brüelstrasse wieder um. Reisende nach Haldensteig, Casino-Palace, Europe, Dietschiberg und Verkehrshaus erreichen ihr Ziel nur zu Fuß. + Travellers to Brüelstrasse or further use the diverted line 24 (direct between Wey and Brühlstrasse) or the regular services of line 14 or 73 and transfer back at Brüelstrasse. Travellers to Haldensteig, Casino-Palace, Europe, Dietschiberg and Verkehrshaus can only reach their destination on foot. + + + Die Störung dauert bis ca.12:30 Uhr. + Disruption duration until 12:30pm. + + + Weitere Informationen erhalten Sie unter www.vbl.ch/stoerung/haldenstrasse + For further information, please visit www.vbl.ch/stoerung/haldenstrasse + + + www.vbl.ch/stoerung/haldenstrasse + + + + + + + route + + + + + ch:vbl:VBL006 + 6 + + + ch:vbl:121::02 + Luzernerhof (B) + + + + + + + + + open + 0280 + 2017-05-28T09:42:00+02:00 + 1 + vbl + stopPoint + + L + + Unterbruch zwischen Luzernerhof und Verkehrshaus + Line disruption between Luzernerhof and Verkehrshaus + + + Feuerwehreinsatz in der Haldenstrasse + Fire brigade action at Haldenstrasse + + + Linie 6 wendet hier + Line 6 turns here + + + Reisende zur Brüelstrasse und weiter benützen die umgeleitete Linie 24 und den Entlastungsbus (ohne Halte zwischen Wey und Brüelstrasse) oder die normale verkehrende Linie 14 (mit Halten) ab Kante F (Wey) oder die Linie 73 ab Kante D und steigen an der Brüelstrasse wieder um. Reisende nach Haldensteig, Casino-Palace, Europe, Dietschiberg und Verkehrshaus erreichen ihr Ziel nur zu Fuß. + Travellers to Brüelstrasse or further use the diverted line 24, additonal buses (direct between Wey and Brüelstrasse), the regular services of line 14 (all stops) from platform F (Way) or line 73 from platform D and transfer back at Brüelstrasse. Travellers to Haldensteig, Casino-Palace, Europe, Dietschiberg and Verkehrshaus can only reach their destination on foot. + + + + + + + route + + + + + ch:vbl:VBL006 + 6 + + + ch:vbl:121::01 + Luzernerhof (C) + + + ch:vbl:121::02 + Luzernerhof (D) + + + + + ch:vbl:VBL008 + 8 + + + ch:vbl:121::01 + Luzernerhof (C) + + + ch:vbl:121::02 + Luzernerhof (D) + + + + + + + + + open + 0290 + 2017-05-28T09:42:00+02:00 + 1 + vbl + stopPoint + + L + + Unterbruch zwischen Luzernerhof und Verkehrshaus + Line disruption between Luzernerhof and Verkehrshaus + + + Feuerwehreinsatz in der Haldenstrasse + Fire brigade action at Haldenstrasse + + + Unterbruch der Linien 6 und 8 + Line 6 and 8 disrupted + + + Umstiegsempfehlung für Linien 6 und 8: Benutzen Sie bis Brüelstrasse die umgeleitete Linie 24, die normal verkehrende Linie 14 und den Entlastungsbus ab Kante F (Wey) oder die Linie 73 ab Kante D und steigen Sie an der Brüelstrasse wieder um. Reisende nach Haldensteig, Casino-Palace, Europe, Dietschiberg und Verkehrshaus erreichen ihr Ziel nur zu Fuß. + Transfer advice line 6 and 8: To Brüelstrasse use diverted line 24, the regular line 14 services or the additional buses from platform F (Wey) or line 73 from platform D and transfer back at Brüelstrasse. Travellers to Haldensteig, Casino-Palace, Europe, Dietschiberg and Verkehrshaus can only reach their destination on foot. + + + Die Störung dauert bis ca.12:30 Uhr. + Disruption duration until 12:30pm. + + + Weitere Informationen erhalten Sie beim Auskunftspersonal. + For further information, please contact staff. + + + + + + + route + + + + + ch:vbl:Entlastungsbusse + + + ch:vbl:715::01 + Wey + + + + + ch:vbl:VBL014 + 14 + + + ch:vbl:715::01 + Wey + + + + + ch:vbl:VBL24 + 24 + + + ch:vbl:715::01 + Wey + + + + + + + + + open + 0300 + 2017-05-28T09:42:00+02:00 + 1 + vbl + stopPoint + + L + + Unterbruch zwischen Luzernerhof und Verkehrshaus + Line disruption between Luzernerhof and Verkehrshaus + + + Feuerwehreinsatz in der Haldenstrasse + Fire brigade action at Haldenstrasse + + + Unterbruch der Linien 6 und 8; Umleitung der Linien 24. + Line 6 and 8 disrupted; Line 24 diverted. + + + Benutzen Sie die umgeleitete Linie 24 und den Entlastungsbus (ohne Halte bis Brüelstrasse) oder die normal verkehrenden Linie 14 (mit Halten) und 73 bis Brüelstrasse. + Use diverted line 24, additional buses (direct to Brüelstrasse), regular services of line 14 (all stops) or 73 to Brüelstrasse. + + + Die Störung dauert bis ca.12:30 Uhr. + Disruption duration until 12:30pm. + + + + + + + route + + + + + ch:vbl:VBL006 + 06 + + ch:vbl:VBL006:A + Büttenenhalde + + + + ch:vbl:121::02 + Luzernerhof (D) + + + + + ch:vbl:VBL008 + 08 + + ch:vbl:VBL008:A + Würzenbach + + + + ch:vbl:121::02 + Luzernerhof (D) + + + + + + + + + open + 0370 + 2017-05-28T09:42:00+02:00 + 1 + vbl + stopPoint + + L + + Unterbruch zwischen Luzernerhof und Verkehrshaus + Line disruption between Luzernerhof and Verkehrshaus + + + Feuerwehreinsatz in der Haldenstrasse + Fire brigade action at Haldenstrasse + + + Linie 6 und 8 fallen bis Brüelstrasse aus. Linie 24 wird zwischen Luzernerhof und Brüel via St. Anna umgeleitet. Ca. 7 Min. längere Fahrzeit. Linie 73 verkehrt wieder normal. + Line 6 and 8 cancelled services to Brüelstrasse. Line 24 services diverted between Luzernerhof and Brüel via St. Anna. Approx. 7 min delay. Line 73 back to regular service. + + + Umstiegsempfehlung für Linien 6 und 8: Benutzen Sie bis Brüelstrasse die umgeleitete Linie 24 und den Entlastungsbus (ohne Halte zwischen Wey und Brüelstrasse) oder die normale verkehrende Linie 14 (mit Halten) ab Kante F (Wey) oder die Linie 73 ab Kante D und steigen Sie an der Brüelstrasse um. Reisende nach Haldensteig, Casino-Palace, Europe, Dietschiberg und Verkehrshaus erreichen ihr Ziel nur zu Fuß. + Transfer advice for line 6 and 8: Use diverted line 73, additonal buses (direct between Wey and Brüelstrasse), the regular line 14 services (all stops) from platform F (Wey) or line 73 from platform D and transfer back at Brüelstrasse. Travellers to Haldensteig, Casino-Palace, Europe, Dietschiberg and Verkehrshaus can only reach their destination on foot. + + + Die Störung dauert bis ca.12:30 Uhr. + Disruption duration until 12:30pm. + + + + + + + route + + + + + ch:vbl:VBL006 + 6 + + ch:vbl:VBL006:A + Büttenenhalde + + + + ch:vbl:621::01 + Casino-Palace + + + ch:vbl:615::01 + Europe + + + ch:vbl:616::01 + Dietschiberg + + + ch:vbl:617::01 + Verkehrshaus + + + + + ch:vbl:VBL008 + 8 + + ch:vbl:VBL008:A + Würzenbach + + + + ch:vbl:621::01 + Casino-Palace + + + ch:vbl:615::01 + Europe + + + ch:vbl:616::01 + Dietschiberg + + + ch:vbl:617::01 + Verkehrshaus + + + + + ch:vbl:VBL024 + 24 + + ch:vbl:VBL024:A + Tschädingen + + + + ch:vbl:621::01 + Casino-Palace + + + ch:vbl:615::01 + Europe + + + ch:vbl:616::01 + Dietschiberg + + + ch:vbl:617::01 + Verkehrshaus + + + + + ch:vbl:VBL006 + 6 + + ch:vbl:VBL006:B + Matthof + + + + ch:vbl:617::02 + Verkehrshaus + + + ch:vbl:616::02 + Dietschiberg + + + ch:vbl:615::02 + Europe + + + ch:vbl:621::02 + Casino-Palace + + + ch:vbl:622::01 + Haldensteig + + + + + ch:vbl:VBL008 + 8 + + ch:vbl:VBL008:B + Hirtenhof + + + + ch:vbl:617::02 + Verkehrshaus + + + ch:vbl:616::02 + Dietschiberg + + + ch:vbl:615::02 + Europe + + + ch:vbl:621::02 + Casino-Palace + + + ch:vbl:622::01 + Haldensteig + + + + + ch:vbl:VBL024 + 24 + + ch:vbl:VBL024:B + Bahnhof + + + + ch:vbl:617::02 + Verkehrshaus + + + ch:vbl:616::02 + Dietschiberg + + + ch:vbl:615::02 + Europe + + + ch:vbl:621::02 + Casino-Palace + + + ch:vbl:622::01 + Haldensteig + + + + + + + + + open + 0380 + 2017-05-28T09:42:00+02:00 + 1 + vbl + stopPoint + + L + + Unterbruch zwischen Luzernerhof und Verkehrshaus + Line disruption between Luzernerhof and Verkehrshaus + + + Feuerwehreinsatz in der Haldenstrasse + Fire brigade action at Haldenstrasse + + + Keine Bedienung der Linien 6, 8 und 24 zwischen Luzernerhof und Brüelstrasse + Line 6, 8 and 24 no service between Luzernerhof and Brüelstrasse + + + Reisende zwischen Luzernerhof und Brüelstrasse erreichen ihr Ziel nur zu Fuß. Ab Luzernerhof und Brüelstrasse verkehren die Linie auf den normalen Fahrwegen. + Travellers between Luzernerhof and Brüelstrasse can only reach their destination on foot. From Luzernerhof and Brüelstrasse lines will run on regular routes. + + + Die Störung dauert bis ca.12:30 Uhr. + Disruption duration until 12:30pm. + + + Fällt aus + Cancelled + + + + + + + route + + + + + ch:vbl:014 + 14 + + ch:vbl:VBL014:A + Brüelstrasse + + + + ch:vbl:618::01 + Brüelstrasse + destination + + + + + + + + + open + 0310 + 2017-05-28T09:42:00+02:00 + 1 + vbl + vehicleJourney + + L + + Unterbruch zwischen Luzernerhof und Verkehrshaus + Line disruption between Luzernerhof and Verkehrshaus + + + Feuerwehreinsatz in der Haldenstrasse + Fire brigade action at Haldenstrasse + + + Die Fahrt endet hier + Service terminates here + + + Einstieg der Linien 6 und 8 bei Kante C. Reisende nach Verkehrshaus und Dietschiberg erreichen ihr Ziel nur zu Fuß. + Board line 6 and 8 from platform C. Travellers to Verkehrshaus and Dietschiberg can only reach their destination on foot. + + + + + + + route + + + + + ch:vbl:024 + 24 + + ch:vbl:VBL014:A + Brüelstrasse + + + + ch:vbl:618::04 + Brüelstrasse + destination + + + + + + + + + open + 0320 + 2017-05-28T09:42:00+02:00 + 1 + vbl + vehicleJourney + + L + + Unterbruch zwischen Luzernerhof und Verkehrshaus + Line disruption between Luzernerhof and Verkehrshaus + + + Feuerwehreinsatz in der Haldenstrasse + Fire brigade action at Haldenstrasse + + + Die Umleitung endet hier + Diversion ends here + + + Umstieg auf Linie 6 und 8: Einstieg bei Kante C. Reisende nach Verkehrshaus und Dietschiberg erreichen ihr Ziel nur zu Fuß. + Transfer to line 6 and 8: Board from platform C. Travellers to Verkehrshaus and Dietschiberg can only reach their destination on foot. + + + + + + + route + + + + + ch:vbl:VBL006 + 06 + + ch:vbl:VBL006:A + Büttenenhalde + + + + ch:vbl:618::03 + Brüelstrasse + + + + + ch:vbl:VBL008 + 08 + + ch:vbl:VBL008:A + Würzenbach + + + + ch:vbl:618::03 + Brüelstrasse + + + + + + + + + open + 0330 + 2017-05-28T09:42:00+02:00 + 1 + vbl + stopPoint + + L + + Unterbruch zwischen Luzernerhof und Verkehrshaus + Line disruption between Luzernerhof and Verkehrshaus + + + Feuerwehreinsatz in der Haldenstrasse + Fire brigade action at Haldenstrasse + + + Normale Bedienung der Linien 6 bis Büttenenhalde und 8 bis Würzenbach. Es muss mit Verspätungen gerechnet werden. + Regular service on line 6 to Büttenenhalde and 8 to Würzenbach. Expect delays. + + + Die Störung dauert bis ca.12:30 Uhr. + Disruption duration until 12:30pm. + + + + + + + route + + + + + ch:vbl:VBL006 + 6 + + ch:vbl:VBL006:A + Büttenhalde + + + + ch:vbl:2502::01 + Giseli + + + ch:vbl:2503::01 + Oberseeburg + intermediate + + + ch:vbl:2504::01 + Oberseeburghöhe + intermediate + + + ch:vbl:2505::01 + Eggen + intermediate + + + ch:vbl:2506::01 + Büttenen + intermediate + + + ch:vbl:2507::01 + Büttenenhalde + destination + + + + + ch:vbl:VBL008 + 8 + + ch:vbl:VBL008:A + Würzenbach + + + + ch:vbl:619::01 + Würzenbachmatte + intermediate + + + ch:vbl:620::01 + Würzenbach + destination + + + + + + + + + open + 0340 + 2017-05-28T09:42:00+02:00 + 1 + vbl + stopPoint + + L + + Unterbruch zwischen Luzernerhof und Verkehrshaus + Line disruption between Luzernerhof and Verkehrshaus + + + Feuerwehreinsatz in der Haldenstrasse + Fire brigade action at Haldenstrasse + + + Es muss mit Verspätungen gerechnet werden. + Expect delays. + + + Die Störung dauert bis ca. 12:30 Uhr. + Disruption duration until 12:30pm. + + + + + + + route + + + + + ch:vbl:Entlastungsbus + Entlastungsbus + + ch:vbl:VBL006:A + Büttenhalde + + + + ch:vbl:618::04 + Brüelstrasse + + + + + + + + + open + 0350 + 2017-05-28T10:22:00+02:00 + 1 + vbl + vehicleJourney + + L + + Unterbruch zwischen Luzernerhof und Verkehrshaus + Line disruption between Luzernerhof and Verkehrshaus + + + Feuerwehreinsatz in der Haldenstrasse + Fire brigade action at Haldenstrasse + + + Diese Fahrt endet hier + This service terminates here + + + Einstieg der Linien 6 und 8 bei Kante C. Reisende nach Verkehrshaus und Dietschiberg erreichen ihr Ziel nur zu Fuß. + Board line 6 and 8 from platform C. Travellers to Verkehrshaus and Dietschiberg can only reach their destination on foot. + + + + + + + route + + + + + ch:vbl:VBL006 + 6 + + ch:vbl:VBL006:B + Matthof + + + + ch:vbl:2507::01 + Büttenenhalde + origin + + + ch:vbl:2506::02 + Büttenen + intermediate + + + ch:vbl:2505::02 + Eggen + intermediate + + + ch:vbl:2504::02 + Oberseeburghöhe + intermediate + + + ch:vbl:2503::02 + Oberseeburg + intermediate + + + ch:vbl:2502::02 + Giseli + intermediate + + + + + + + + + open + 0390 + 2017-05-28T09:42:00+02:00 + 1 + vbl + vehicleJourney + + L + + Unterbruch zwischen Luzernerhof und Verkehrshaus + Line disruption between Luzernerhof and Verkehrshaus + + + Feuerwehreinsatz in der Haldenstrasse + Fire brigade action at Haldenstrasse + + + Die Linie 6 fällt zwischen Brüelstrasse und Luzernerhof aus. + Line 6 cancelled between Brüelstrasse and Luzernerhof. + + + Reisende nach Luzernerhof oder weiter benützen die umgeleitete Linie 24 und den Entlastungsbus (ohne Halte zwischen Brüelstrasse und Luzernerhof) oder die normal verkehrenden Linien 14 (mit Halten) und 73 bis Luzernerhof und steigen dort wieder um. Reisende nach Verkehrshaus, Dietschiberg, Europe, Casino-Palace und Haldensteig erreichen ihr Ziel nur zu Fuß. + Travellers to Luzernerhof or further use the diverted line 24, additional buses (direct between Brühlstrasse and Luzernerhof), the regular line 14 services (all stop) or line 73 to Luzernhof and transfer there. Travellers to Verkehrshaus, Dietschiberg, Europe, Casino-Palace and Haldensteig can only reach their destination on foot. + + + Die Störung dauert bis ca. 12:30 Uhr. + Disruption duration until 12:30pm. + + + + + + + route + + + + + ch:vbl:VBL006 + 6 + + ch:vbl:VBL006:B + Matthof + + + + ch:vbl:2507::01 + Büttenenhalde + origin + + + ch:vbl:2506::02 + Büttenen + intermediate + + + ch:vbl:2505::02 + Eggen + intermediate + + + ch:vbl:2504::02 + Oberseeburghöhe + intermediate + + + ch:vbl:2503::02 + Oberseeburg + intermediate + + + ch:vbl:2502::02 + Giseli + intermediate + + + + + + + + + open + 0400 + 2017-05-28T09:42:00+02:00 + 1 + vbl + stopPoint + + L + + Unterbruch zwischen Luzernerhof und Verkehrshaus + Line disruption between Luzernerhof and Verkehrshaus + + + Feuerwehreinsatz in der Haldenstrasse + Fire brigade action at Haldenstrasse + + + Die Linie 6 fällt zwischen Brüelstrasse und Luzernerhof aus. + Line 6 cancelled between Brüelstrasse and Luzernerhof. + + + Reisende nach Luzernerhof oder weiter benützen die umgeleitete Linie 24 und den Entlastungsbus (ohne Halte zwischen Brüelstrasse und Luzernerhof) oder die normal verkehrenden Linien 14 (mit Halten) und 73 bis Luzernerhof und steigen dort wieder um. Reisende nach Verkehrshaus, Dietschiberg, Europe, Casino-Palace und Haldensteig erreichen ihr Ziel nur zu Fuß. + Travellers to Luzernerhof or further use the diverted line 24, the additional buses (direct between Brühlstrasse and Luzernerhof), the regular line 14 services (all stop) or line 73 to Luzernhof and transfer there. Travellers to Verkehrshaus, Dietschiberg, Europe, Casino-Palace and Haldensteig can only reach their destination on foot. + + + Die Störung dauert bis ca. 12:30 Uhr. + Disruption duration until 12:30pm. + + + + + + + route + + + + + ch:vbl:VBL006 + 6 + + ch:vbl:VBL006:B + Matthof + + + + ch:vbl:618::02 + Brüelstrasse + + + + + + + + + open + 0410 + 2017-05-28T09:42:00+02:00 + 1 + vbl + vehicleJourney + + L + + Unterbruch zwischen Luzernerhof und Verkehrshaus + Line disruption between Luzernerhof and Verkehrshaus + + + Feuerwehreinsatz in der Haldenstrasse + Fire brigade action at Haldenstrasse + + + Linie 6 wendet hier + Line 6 turns here + + + Reisende zum Luzernerhof oder weiter benützen die umgeleitete Linie 24 und den Entlastungsbus (ohne Halte bis Luzernerhof) oder die normal verkehrende Linie 14 (mit Halten) oder 73 ab Kante D und steigen beim Luzernerhof wieder um. Reisende nach Verkehrshaus, Dietschiberg, Europe, Casino-Palace und Haldensteig erreichen ihr Ziel nur zu Fuß. + Travellers to Luzernerhof or further use the diverted line 24, addintional buses (direct to Luzernerhof), the regular line 14 services (all stops) or line 73 from platform D and transfer back to Luzernerhof. Travellers to Verkehrshaus, Dietschiberg, Europe, Casino-Palace and Haldensteig can only reach their destination on foot. + + + + + + + route + + + + + ch:vbl:VBL006 + 6 + + ch:vbl:VBL006:B + Matthof + + + + ch:vbl:618::02 + Brüelstrasse + + + + + + + + + open + 0420 + 2017-05-28T09:42:00+02:00 + 1 + vbl + stopPoint + + L + + Unterbruch zwischen Luzernerhof und Verkehrshaus + Line disruption between Luzernerhof and Verkehrshaus + + + Feuerwehreinsatz in der Haldenstrasse + Fire brigade action at Haldenstrasse + + + Unterbruch der Linien 6 und 8 + Line 6 and 8 disrupted + + + Reisende zum Luzernerhof oder weiter benützen die umgeleitete Linie 24 und den Entlastungsbus (ohne Halte bis Luzernerhof) ab Kante D oder die normal verkehrenden Linien 14 (mit Halten) ab Kante D und 73 ab Kante C und steigen beim Luzernerhof wieder um. Reisende nach Verkehrshaus, Dietschiberg, Europe, Casino-Palace und Haldensteig erreichen ihr Ziel nur zu Fuß. + Travellers to Luzernerhof or further use the diverted line 24, addintional buses (direct to Luzernerhof) from platform D, the regular line 14 services (all stops) from platform D or line 73 from platform C and transfer back to Luzernerhof. Travellers to Verkehrshaus, Dietschiberg, Europe, Casino-Palace and Haldensteig can only reach their destination on foot. + + + Die Störung dauert bis ca. 12:30 Uhr. + Disruption duration until 12:30pm. + + + + + + + route + + + + + ch:vbl:Entlastungsbus + Entlastungsbus + + ch:vbl:VBL006:A + Büttenhalde + + + + ch:vbl:VBL014 + 14 + + ch:vbl:VBL014:A + Brühlstrasse + + + + ch:vbl:618::01 + Brühlstrasse + destination + + + + + + + ch:vbl:VBL024 + 24 + + ch:vbl:VBL024:B + Bahnhof + + + + ch:vbl:618::01 + Brühlstrasse + destination + + + + + + + + + open + 0430 + 2017-05-28T09:42:00+02:00 + 1 + vbl + stopPoint + + L + + Unterbruch zwischen Luzernerhof und Verkehrshaus + Line disruption between Luzernerhof and Verkehrshaus + + + Feuerwehreinsatz in der Haldenstrasse + Fire brigade action at Haldenstrasse + + + Unterbruch der Linien 6 und 8; Umleitung der Linien 24. + Line 6 and 8 disrupted; Line 24 diverted. + + + Benutzen Sie die umgeleitete Linie 24 und den Entlastungsbus (ohne Halte bis Luzernerhof) oder die normal verkehrenden Linien 14 (mit Halten) und 73 bis Luzernerhof. + Use diverted line 24 and additional buses (direct to Luzernerhof) or the regular line 14 (all stops) and line 73 to Luzernerhof. + + + Die Störung dauert bis ca. 12:30 Uhr. + Disruption duration until 12:30pm. + + + + + + + route + + + + + ch:vbl:Entlastungsbus + Entlastungsbus + + ch:vbl:VBL006:A + Büttenhalde + + + + ch:vbl:121::03 + Luzernerhof + + + + + + + + + open + 0440 + 2017-05-28T09:42:00+02:00 + 1 + vbl + vehicleJourney + + L + + Unterbruch zwischen Luzernerhof und Verkehrshaus + Line disruption between Luzernerhof and Verkehrshaus + + + Feuerwehreinsatz in der Haldenstrasse + Fire brigade action at Haldenstrasse + + + Diese Fahrt endet hier + This service terminates here + + + Einstieg der Linien 6 und 8 bei Kante A. Reisende nach Haldensteig, Casino-Palace, Europe, Dietschiberg und Verkehrshaus erreichen ihr Ziel nur zu Fuß. + Board line 6 and 8 from platform A. Travellers to Haldensteig, Casino-Palace, Europe, Dietschiberg and Verkehrshaus can only reach their destination on foot. + + + Die Störung dauert bis ca. 12:30 Uhr. + Disruption duration until 12:30pm. + + + + + + + route + + + + + ch:vbl:VBL024 + 24 + + ch:vbl:VBL024:B + Bahnhof + + + + ch:vbl:121::04 + Luzernerhof + origin + + + + + + + + + open + 0450 + 2017-05-28T09:42:00+02:00 + 1 + vbl + vehicleJourney + + L + + Unterbruch zwischen Luzernerhof und Verkehrshaus + Line disruption between Luzernerhof and Verkehrshaus + + + Feuerwehreinsatz in der Haldenstrasse + Fire brigade action at Haldenstrasse + + + Die Umleitung endet hier + Diversion ends here + + + Umstieg auf Linie 6 und 8: Einstieg bei Kante A. Reisende nach Haldensteig, Casino-Palace, Europe, Dietschiberg und Verkehrshaus erreichen ihr Ziel nur zu Fuß. + Transfer to line 6 and 8: Board from platform A. Travellers to Haldensteig, Casino-Palace, Europe, Dietschiberg and Verkehrshaus can only reach their destination on foot. + + + + + + + route + + + + + ch:vbl:VBL014 + 14 + + ch:vbl:VBL014:B + Horw Zentrum + + + + ch:vbl:121::03 + Luzernerhof + intermediate + + + + + + + + + open + 0455 + 2017-05-28T09:42:00+02:00 + 1 + vbl + vehicleJourney + + L + + Unterbruch zwischen Luzernerhof und Verkehrshaus + + + Feuerwehreinsatz in der Haldenstrasse + + + Umstieg auf Linie 6 und 8: Einstieg bei Kante A. Reisende nach Haldensteig, Casino-Palace, Europe, Dietschiberg und Verkehrshaus erreichen ihr Ziel nur zu Fuß. + + + + + + + route + + + + + ch:vbl:VBL024 + 24 + + ch:vbl:VBL024:B + Bahnhof + + + + ch:vbl:121::03 + Luzernerhof + origin + + + + + + + + + open + 0460 + 2017-05-28T09:42:00+02:00 + 1 + vbl + stopPoint + + L + + Unterbruch zwischen Luzernerhof und Verkehrshaus + Line disruption between Luzernerhof and Verkehrshaus + + + Feuerwehreinsatz in der Haldenstrasse + Fire brigade action at Haldenstrasse + + + Die Umleitung endet hier + Diversion ends here + + + Umstieg auf die Linien 6 und 8: Einstieg bei Kante A. Reisende nach Haldensteig, Casino-Palace, Europe, Dietschiberg und Verkehrshaus erreichen ihr Ziel nur zu Fuß. + Transfer to line 6 and 8: Board from platform A. Travellers to Haldensteig, Casino-Palace, Europe, Dietschiberg and Verkehrshaus can only reach their destination on foot. + + + + + + + route + + + + + ch:vbl:VBL006 + 6 + + ch:vbl:VBL006:B + Matthof + + + + ch:vbl:121::04 + Luzernerhof + origin + + + + + ch:vbl:VBL008 + 8 + + ch:vbl:VBL008:B + Hiertenhof + + + + ch:vbl:121::04 + Luzernerhof + origin + + + + + + + + + open + 0470 + 2017-05-28T09:42:00+02:00 + 1 + vbl + stopPoint + + L + + Unterbruch zwischen Luzernerhof und Verkehrshaus + Line disruption between Luzernerhof and Verkehrshaus + + + Feuerwehreinsatz in der Haldenstrasse + Fire brigade action at Haldenstrasse + + + Normale Bedienung der Linien 6 bis Matthof und 8 bis Hirtenhof. Es muss mit Verspätungen gerechnet werden. + Regular service on line 6 to Matthof and line 8 to Hirtenhof. Expect delays. + + + Die Störung dauert bis ca. 12:30 Uhr. + Disruption duration until 12:30pm. + + + + + + + route + + + + + ch:vbl:VBL006 + 6 + + ch:vbl:VBL006:B + Matthof + + + + ch:vbl:120::02 + Schwanenplatz + intermediate + + + ch:vbl:119::01 + Bahnhof + intermediate + + + ch:vbl:118::02 + Kantonalbank + intermediate + + + ch:vbl:407::03 + Bundesplatz + intermediate + + + ch:vbl:606::02 + Werkhofstrasse + intermediate + + + ch:vbl:605::02 + Weinbergli + intermediate + + + ch:vbl:604::02 + Eisfeldstrasse + intermediate + + + ch:vbl:603::02 + Wartegg + intermediate + + + ch:vbl:602::02 + Schönbühl + intermediate + + + ch:vbl:601::01 + Matthof + destination + + + + + + + + + open + 0480 + 2017-05-28T09:42:00+02:00 + 1 + vbl + stopPoint + + L + + Unterbruch zwischen Luzernerhof und Verkehrshaus + Line disruption between Luzernerhof and Verkehrshaus + + + Feuerwehreinsatz in der Haldenstrasse + Fire brigade action at Haldenstrasse + + + Es muss mit Verspätungen gerechnet werden. + Expect delays. + + + Die Störung dauert bis ca. 12:30 Uhr. + Disruption duration until 12:30pm. + + + + + + + line + + + + + ch:vbl:VBL002 + 2 + + ch:vbl:VBL002:A + Bahnhof + + + + ch:vbl:119::06 + Bahnhof + destination + + + + + + + + + open + 0481 + 2017-05-28T09:42:00+02:00 + 1 + vbl + vehicleJourney + + L + + Unterbruch zwischen Luzernerhof und Verkehrshaus + Line disruption between Luzernerhof and Verkehrshaus + + + Feuerwehreinsatz in der Haldenstrasse + Fire brigade action at Haldenstrasse + + + Unterbruch der Linien 6 und 8 + Line 6 and 8 disrupted + + + Umstiegsempfehlung für Linien 6 und 8: Benutzen Sie bis Brüelstrasse die Linien 14 oder 73 und steigen Sie an der Brüelstrasse wieder um. Reisende nach dem Verkehrshaus benutzen die S3 oder das Schiff. + Transfer advice line 6 and 8: Use line 14 or 73 to Brüelstrasse and transfer back to line 6 and 8. Travellers to Verkehrshaus use the S3 or ferry. + + + Die Störung dauert bis ca. 12:30 Uhr. + Disruption duration until 12:30pm. + + + + + + + route + + + + + ch:vbl:VBL014 + 14 + + ch:vbl:VBL014:A + Brüelstrasse + + + + ch:vbl:119::08 + Bahnhof + intermediate + + + + + + + + + open + 0482 + 2017-05-28T09:42:00+02:00 + 1 + vbl + stopPoint + + L + + Unterbruch zwischen Luzernerhof und Verkehrshaus + Line disruption between Luzernerhof and Verkehrshaus + + + Feuerwehreinsatz in der Haldenstrasse + Fire brigade action at Haldenstrasse + + + Unterbruch der Linien 6 und 8 + Line 6 and 8 disrupted + + + Umstiegsempfehlung für Linien 6 und 8: Benutzen Sie bis Brüelstrasse die Linien 14 oder 73 und steigen Sie an der Brüelstrasse wieder um. Reisende nach dem Verkehrshaus benutzen die S3 oder das Schiff. + Transfer advice line 6 and 8: Use line 14 or 73 to Brüelstrasse and transfer back to line 6 and 8. Travellers to Verkehrshaus use the S3 or ferry. + + + Die Störung dauert bis ca. 12:30 Uhr. + Disruption duration until 12:30pm. + + + + + + + + +
diff --git a/examples/siri_exm_SX/VDV736_exm/SX_1247_end_message.xml b/examples/siri_exm_SX/VDV736_exm/SX_1247_end_message.xml index 8b7625d0..28916579 100644 --- a/examples/siri_exm_SX/VDV736_exm/SX_1247_end_message.xml +++ b/examples/siri_exm_SX/VDV736_exm/SX_1247_end_message.xml @@ -1,397 +1,396 @@ - - 2018-10-04T12:22:00+00:00 - ch:VBL -
http:/server/siri/20_ums
- JFI2d2mWP - true - false - - 2018-10-04T12:22:00+00:00 - ch:VBL - 40599x2dsjmu8yjzy - - - 2017-05-28T12:22:00+02:00 - VBL - 1 - 5 - - feed - VBL - - closing - - - 2017-05-28T12:22:00+02:00 - 2017-05-28T17:10:00+02:00 - - fire - Feuerwehreinsatz in der Haldenstrasse - Fire brigade action at Haldenstrasse - 3 - line - false - DE - Unterbruch zwischen Luzernerhof und Verkehrshaus - Line interruption between Luzernerhof and Verkehrshaus - - - - ch:vbl:622 - Haldensteig - - - - - - disturbanceRectified - - - - - ch:vbl:VBL006 - 6 - - - ch:vbl:VBL008 - 8 - - - ch:vbl:VBL024 - 24 - - - - - - false - - - - - - - line - - - - - ch:vbl:VBL006 - 6 - - - ch:vbl:VBL008 - 8 - - - ch:vbl:VBL024 - 14 - - - ch:vbl:VBL024 - 24 - - - ch:vbl:VBL024 - 73 - - - - - - - open - 0510 - 2017-05-28T12:22:00+02:00 - 1 - vbl - VBL - general - - L - - Unterbruch zwischen Luzernerhof und Verkehrshaus - Line interruption between Luzernerhof and Verkehrshaus - - - Der Streckenunterbruch zwischen Luzernerhof und Brüelstrasse ist behoben. - The route disruption between Luzernerhof and Brüelstrasse is resolved. - - - Die Linien 6, 8, 24 und 73 verkehren wieder gemäß Fahrplan. - Line 6, 8, 24 and 73 are back to regular service. - - - - - - - line - - - - - ch:vbl:VBL006 - 6 - - - ch:vbl:VBL008 - 8 - - - ch:vbl:VBL024 - 14 - - - ch:vbl:VBL024 - 24 - - - ch:vbl:VBL024 - 73 - - - - - - - open - 0510 - 2017-05-28T12:22:00+02:00 - 1 - vbl - VBL - vehicleJourney - - L - - Unterbruch zwischen Luzernerhof und Verkehrshaus - Line interruption between Luzernerhof and Verkehrshaus - - - Der Streckenunterbruch zwischen Luzernerhof und Brüelstrasse ist behoben. - The route disruption between Luzernerhof and Brüelstrasse is resolved. - - - Die Linien 6, 8, 24 und 73 verkehren wieder gemäß Fahrplan. - Line 6, 8, 24 and 73 are back to regular service. - - - - - - - line - - - - - ch:vbl:VBL006 - 6 - - - ch:vbl:VBL008 - 8 - - - ch:vbl:VBL024 - 14 - - - ch:vbl:VBL024 - 24 - - - ch:vbl:VBL024 - 73 - - - - - - - open - 0510 - 2017-05-28T12:22:00+02:00 - 1 - vbl - VBL - stopPoint - - L - - Unterbruch zwischen Luzernerhof und Verkehrshaus - Line interruption between Luzernerhof and Verkehrshaus - - - Der Streckenunterbruch zwischen Luzernerhof und Brüelstrasse ist behoben. - The route disruption between Luzernerhof and Brüelstrasse is resolved. - - - Die Linien 6, 8, 24 und 73 verkehren wieder gemäß Fahrplan. - Line 6, 8, 24 and 73 are back to regular service. - - - - - - - line - - - - - ch:vbl:VBL006 - 6 - - - ch:vbl:VBL008 - 8 - - - ch:vbl:VBL024 - 24 - - - - - - - open - - 2017-05-28T12:47:00+02:00 - 2017-05-28T13:15:00+02:00 - - 0510 - 2017-05-28T12:47:00+02:00 - 1 - vbl - VBL - general - - L - - Unterbruch zwischen Luzernerhof und Verkehrshaus - Line interruption between Luzernerhof and Verkehrshaus - - - Der Streckenunterbruch zwischen Luzernerhof und Brüelstrasse ist behoben. - The route disruption between Luzernerhof and Brüelstrasse is resolved. - - - Die Linien 6, 8, 24 und 73 verkehren wieder gemäß Fahrplan. - Line 6, 8, 24 and 73 are back to regular service. - - - - - - - line - - - - - ch:vbl:VBL006 - 6 - - - ch:vbl:VBL008 - 8 - - - ch:vbl:VBL024 - 24 - - - - - - - open - - 2017-05-28T12:47:00+02:00 - 2017-05-28T13:15:00+02:00 - - 0510 - 2017-05-28T12:47:00+02:00 - 1 - vbl - VBL - vehicleJourney - - L - - Unterbruch zwischen Luzernerhof und Verkehrshaus - Line interruption between Luzernerhof and Verkehrshaus - - - Der Streckenunterbruch zwischen Luzernerhof und Brüelstrasse ist behoben. - The route disruption between Luzernerhof and Brüelstrasse is resolved. - - - Die Linien 6, 8, 24 und 73 verkehren wieder gemäß Fahrplan. - Line 6, 8, 24 and 73 are back to regular service. - - - - - - - line - - - - - ch:vbl:VBL006 - 6 - - - ch:vbl:VBL008 - 8 - - - ch:vbl:VBL024 - 24 - - - - - - - open - - 2017-05-28T12:47:00+02:00 - 2017-05-28T13:15:00+02:00 - - 0510 - 2017-05-28T12:47:00+02:00 - 1 - vbl - VBL - stopPoint - - L - - Unterbruch zwischen Luzernerhof und Verkehrshaus - Line interruption between Luzernerhof and Verkehrshaus - - - Der Streckenunterbruch zwischen Luzernerhof und Brüelstrasse ist behoben. - The route disruption between Luzernerhof and Brüelstrasse is resolved. - - - Die Linien 6, 8, 24 und 73 verkehren wieder gemäß Fahrplan. - Line 6, 8, 24 and 73 are back to regular service. - - - - - - - - -
+ + 2018-10-04T12:22:00+00:00 + ch:VBL +
http:/server/siri/20_ums
+ JFI2d2mWP + true + false + + 2018-10-04T12:22:00+00:00 + ch:VBL + 40599x2dsjmu8yjzy + + + 2017-05-28T12:22:00+02:00 + VBL + 1 + 5 + + feed + VBL + + closing + + 2017-05-28T12:22:00+02:00 + 2017-05-28T17:10:00+02:00 + + fire + Feuerwehreinsatz in der Haldenstrasse + Fire brigade action at Haldenstrasse + 3 + line + false + DE + Unterbruch zwischen Luzernerhof und Verkehrshaus + Line interruption between Luzernerhof and Verkehrshaus + + + + ch:vbl:622 + Haldensteig + + + + + + disturbanceRectified + + + + + ch:vbl:VBL006 + 6 + + + ch:vbl:VBL008 + 8 + + + ch:vbl:VBL024 + 24 + + + + + + false + + + + + + + line + + + + + ch:vbl:VBL006 + 6 + + + ch:vbl:VBL008 + 8 + + + ch:vbl:VBL024 + 14 + + + ch:vbl:VBL024 + 24 + + + ch:vbl:VBL024 + 73 + + + + + + + open + 0510 + 2017-05-28T12:22:00+02:00 + 1 + vbl + VBL + general + + L + + Unterbruch zwischen Luzernerhof und Verkehrshaus + Line interruption between Luzernerhof and Verkehrshaus + + + Der Streckenunterbruch zwischen Luzernerhof und Brüelstrasse ist behoben. + The route disruption between Luzernerhof and Brüelstrasse is resolved. + + + Die Linien 6, 8, 24 und 73 verkehren wieder gemäß Fahrplan. + Line 6, 8, 24 and 73 are back to regular service. + + + + + + + line + + + + + ch:vbl:VBL006 + 6 + + + ch:vbl:VBL008 + 8 + + + ch:vbl:VBL024 + 14 + + + ch:vbl:VBL024 + 24 + + + ch:vbl:VBL024 + 73 + + + + + + + open + 0510 + 2017-05-28T12:22:00+02:00 + 1 + vbl + VBL + vehicleJourney + + L + + Unterbruch zwischen Luzernerhof und Verkehrshaus + Line interruption between Luzernerhof and Verkehrshaus + + + Der Streckenunterbruch zwischen Luzernerhof und Brüelstrasse ist behoben. + The route disruption between Luzernerhof and Brüelstrasse is resolved. + + + Die Linien 6, 8, 24 und 73 verkehren wieder gemäß Fahrplan. + Line 6, 8, 24 and 73 are back to regular service. + + + + + + + line + + + + + ch:vbl:VBL006 + 6 + + + ch:vbl:VBL008 + 8 + + + ch:vbl:VBL024 + 14 + + + ch:vbl:VBL024 + 24 + + + ch:vbl:VBL024 + 73 + + + + + + + open + 0510 + 2017-05-28T12:22:00+02:00 + 1 + vbl + VBL + stopPoint + + L + + Unterbruch zwischen Luzernerhof und Verkehrshaus + Line interruption between Luzernerhof and Verkehrshaus + + + Der Streckenunterbruch zwischen Luzernerhof und Brüelstrasse ist behoben. + The route disruption between Luzernerhof and Brüelstrasse is resolved. + + + Die Linien 6, 8, 24 und 73 verkehren wieder gemäß Fahrplan. + Line 6, 8, 24 and 73 are back to regular service. + + + + + + + line + + + + + ch:vbl:VBL006 + 6 + + + ch:vbl:VBL008 + 8 + + + ch:vbl:VBL024 + 24 + + + + + + + open + + 2017-05-28T12:47:00+02:00 + 2017-05-28T13:15:00+02:00 + + 0510 + 2017-05-28T12:47:00+02:00 + 1 + vbl + VBL + general + + L + + Unterbruch zwischen Luzernerhof und Verkehrshaus + Line interruption between Luzernerhof and Verkehrshaus + + + Der Streckenunterbruch zwischen Luzernerhof und Brüelstrasse ist behoben. + The route disruption between Luzernerhof and Brüelstrasse is resolved. + + + Die Linien 6, 8, 24 und 73 verkehren wieder gemäß Fahrplan. + Line 6, 8, 24 and 73 are back to regular service. + + + + + + + line + + + + + ch:vbl:VBL006 + 6 + + + ch:vbl:VBL008 + 8 + + + ch:vbl:VBL024 + 24 + + + + + + + open + + 2017-05-28T12:47:00+02:00 + 2017-05-28T13:15:00+02:00 + + 0510 + 2017-05-28T12:47:00+02:00 + 1 + vbl + VBL + vehicleJourney + + L + + Unterbruch zwischen Luzernerhof und Verkehrshaus + Line interruption between Luzernerhof and Verkehrshaus + + + Der Streckenunterbruch zwischen Luzernerhof und Brüelstrasse ist behoben. + The route disruption between Luzernerhof and Brüelstrasse is resolved. + + + Die Linien 6, 8, 24 und 73 verkehren wieder gemäß Fahrplan. + Line 6, 8, 24 and 73 are back to regular service. + + + + + + + line + + + + + ch:vbl:VBL006 + 6 + + + ch:vbl:VBL008 + 8 + + + ch:vbl:VBL024 + 24 + + + + + + + open + + 2017-05-28T12:47:00+02:00 + 2017-05-28T13:15:00+02:00 + + 0510 + 2017-05-28T12:47:00+02:00 + 1 + vbl + VBL + stopPoint + + L + + Unterbruch zwischen Luzernerhof und Verkehrshaus + Line interruption between Luzernerhof and Verkehrshaus + + + Der Streckenunterbruch zwischen Luzernerhof und Brüelstrasse ist behoben. + The route disruption between Luzernerhof and Brüelstrasse is resolved. + + + Die Linien 6, 8, 24 und 73 verkehren wieder gemäß Fahrplan. + Line 6, 8, 24 and 73 are back to regular service. + + + + + + + + +
diff --git a/examples/siri_exm_SX/exx_situationExchangeResponse.xml b/examples/siri_exm_SX/exx_situationExchangeResponse.xml index 45af095d..21c3e3ce 100644 --- a/examples/siri_exm_SX/exx_situationExchangeResponse.xml +++ b/examples/siri_exm_SX/exx_situationExchangeResponse.xml @@ -1,208 +1,208 @@ - - - 2004-12-17T09:30:46-05:00 - KUBRICK - true - false - - - 2004-12-17T09:30:46-05:00 - - - 2001-12-17T09:30:47.0Z - de - RAILCO01 - 000354 - 0 - - - 2001-12-17T09:30:47.0Z - de - RAILCO01 - 000354 - 0 - - - - de - phone - 01223333337654 - 03274 - 2001-12-17T09:30:47.0Z - - verified - open - certain - - 2001-12-17T09:30:47.0Z - 2001-12-17T10:30:47.0Z - - bombExplosion - severe - 3 - public - point - Bomb at Barchester station - Building evacuated. Avoid station until further notice - - - - - - - BAAR0003 - Barchester Station - unknown - - -180 - -90 - 1 - - - - - - BArF001 - - - BAR00021 - Platform 3 - - - - - - - - - 2001-12-17T09:30:47.0Z - 2001-12-17T10:30:47.0Z - - unknown - unknown - - true - true - - - noAlighting - noBoarding - - - - - - true - true - false - - - true - false - - - true - true - true - - - - - - 2001-12-17T09:30:47.0Z - de - RAILCO01 - 000354 - 0 - - - 2001-12-17T09:30:47.0Z - de - RAILCO01 - 000354 - 0 - - - - de - phone - 01223333337654 - 03274 - 2001-12-17T09:30:47.0Z - - verified - open - certain - - 2001-12-17T09:30:47.0Z - 2001-12-17T10:30:47.0Z - - bombExplosion - severe - 3 - public - point - Jam on the access road to Barchester Station - Grislock and panic - - - - - - - BAAR0003 - Barchester Station - unknown - - -180 - -90 - 1 - - - - - - BArF001 - - - BAR00021 - Platform 3 - - - - - - - - - 2001-12-17T09:30:47.0Z - 2001-12-17T10:30:47.0Z - - delay - severe - - - - - true - true - false - - - true - false - - - true - true - true - - - - + 2004-12-17T09:30:46-05:00 + KUBRICK + true + false + + + 2004-12-17T09:30:46-05:00 + + + 2001-12-17T09:30:47.0Z + de + RAILCO01 + 000354 + 0 + + + 2001-12-17T09:30:47.0Z + de + RAILCO01 + 000354 + 0 + + + + de + phone + 01223333337654 + 03274 + 2001-12-17T09:30:47.0Z + + verified + open + certain + + 2001-12-17T09:30:47.0Z + 2001-12-17T10:30:47.0Z + + bombExplosion + severe + 3 + public + point + Bomb at Barchester station + Building evacuated. Avoid station until further notice + + + + + + + BAAR0003 + Barchester Station + unknown + + -180 + -90 + 1 + + + + + + BArF001 + + + BAR00021 + Platform 3 + + + + + + + + + 2001-12-17T09:30:47.0Z + 2001-12-17T10:30:47.0Z + + unknown + unknown + + true + true + + + noAlighting + noBoarding + + + + + + true + true + false + + + true + false + + + true + true + true + + + + + + 2001-12-17T09:30:47.0Z + de + RAILCO01 + 000354 + 0 + + + 2001-12-17T09:30:47.0Z + de + RAILCO01 + 000354 + 0 + + + + de + phone + 01223333337654 + 03274 + 2001-12-17T09:30:47.0Z + + verified + open + certain + + 2001-12-17T09:30:47.0Z + 2001-12-17T10:30:47.0Z + + bombExplosion + severe + 3 + public + point + Jam on the access road to Barchester Station + Grislock and panic + + + + + + + BAAR0003 + Barchester Station + unknown + + -180 + -90 + 1 + + + + + + BArF001 + + + BAR00021 + Platform 3 + + + + + + + + + 2001-12-17T09:30:47.0Z + 2001-12-17T10:30:47.0Z + + delay + severe + + + + + true + true + false + + + true + false + + + true + true + true + + + + - - - - + + + + diff --git a/examples/siri_exm_SX/exx_situationExchange_ATOC.xml b/examples/siri_exm_SX/exx_situationExchange_ATOC.xml index 31355973..de2d54e3 100644 --- a/examples/siri_exm_SX/exx_situationExchange_ATOC.xml +++ b/examples/siri_exm_SX/exx_situationExchange_ATOC.xml @@ -1,101 +1,101 @@ - 2001-12-17T09:30:47.0Z - de - RAILCO01 - 000354 - 0 - - - 2001-12-17T09:30:47.0Z - de - RAILCO01 - 000354 - 0 - - - - de - phone - 01223333337654 - 03274 - 2001-12-17T09:30:47.0Z - - verified - open - certain - - 2001-12-17T09:30:47.0Z - 2001-12-17T10:30:47.0Z - - bombExplosion - severe - 3 - public - point - Bomb at Barchester station - Building evacuated. Avoid station until further notice - - - - - - - BAAR0003 - Barchester Station - unknown - - -180 - -90 - 1 - - - - - - BArF001 - - - BAR00021 - Platform 3 - - - - - - - - - 2001-12-17T09:30:47.0Z - 2001-12-17T10:30:47.0Z - - delay - severe - - true - true - - - noAlighting - noBoarding - - - - - - true - true - false - - - true - false - - - true - true - true - - + 2001-12-17T09:30:47.0Z + de + RAILCO01 + 000354 + 0 + + + 2001-12-17T09:30:47.0Z + de + RAILCO01 + 000354 + 0 + + + + de + phone + 01223333337654 + 03274 + 2001-12-17T09:30:47.0Z + + verified + open + certain + + 2001-12-17T09:30:47.0Z + 2001-12-17T10:30:47.0Z + + bombExplosion + severe + 3 + public + point + Bomb at Barchester station + Building evacuated. Avoid station until further notice + + + + + + + BAAR0003 + Barchester Station + unknown + + -180 + -90 + 1 + + + + + + BArF001 + + + BAR00021 + Platform 3 + + + + + + + + + 2001-12-17T09:30:47.0Z + 2001-12-17T10:30:47.0Z + + delay + severe + + true + true + + + noAlighting + noBoarding + + + + + + true + true + false + + + true + false + + + true + true + true + + diff --git a/examples/siri_exm_SX/exx_situationExchange_Pt.xml b/examples/siri_exm_SX/exx_situationExchange_Pt.xml index 31355973..de2d54e3 100644 --- a/examples/siri_exm_SX/exx_situationExchange_Pt.xml +++ b/examples/siri_exm_SX/exx_situationExchange_Pt.xml @@ -1,101 +1,101 @@ - 2001-12-17T09:30:47.0Z - de - RAILCO01 - 000354 - 0 - - - 2001-12-17T09:30:47.0Z - de - RAILCO01 - 000354 - 0 - - - - de - phone - 01223333337654 - 03274 - 2001-12-17T09:30:47.0Z - - verified - open - certain - - 2001-12-17T09:30:47.0Z - 2001-12-17T10:30:47.0Z - - bombExplosion - severe - 3 - public - point - Bomb at Barchester station - Building evacuated. Avoid station until further notice - - - - - - - BAAR0003 - Barchester Station - unknown - - -180 - -90 - 1 - - - - - - BArF001 - - - BAR00021 - Platform 3 - - - - - - - - - 2001-12-17T09:30:47.0Z - 2001-12-17T10:30:47.0Z - - delay - severe - - true - true - - - noAlighting - noBoarding - - - - - - true - true - false - - - true - false - - - true - true - true - - + 2001-12-17T09:30:47.0Z + de + RAILCO01 + 000354 + 0 + + + 2001-12-17T09:30:47.0Z + de + RAILCO01 + 000354 + 0 + + + + de + phone + 01223333337654 + 03274 + 2001-12-17T09:30:47.0Z + + verified + open + certain + + 2001-12-17T09:30:47.0Z + 2001-12-17T10:30:47.0Z + + bombExplosion + severe + 3 + public + point + Bomb at Barchester station + Building evacuated. Avoid station until further notice + + + + + + + BAAR0003 + Barchester Station + unknown + + -180 + -90 + 1 + + + + + + BArF001 + + + BAR00021 + Platform 3 + + + + + + + + + 2001-12-17T09:30:47.0Z + 2001-12-17T10:30:47.0Z + + delay + severe + + true + true + + + noAlighting + noBoarding + + + + + + true + true + false + + + true + false + + + true + true + true + + diff --git a/examples/siri_exm_SX/exx_situationExchange_capabilityResponse.xml b/examples/siri_exm_SX/exx_situationExchange_capabilityResponse.xml index 5c224c5f..c84a8cdc 100644 --- a/examples/siri_exm_SX/exx_situationExchange_capabilityResponse.xml +++ b/examples/siri_exm_SX/exx_situationExchange_capabilityResponse.xml @@ -1,69 +1,69 @@ - 2001-12-17T09:30:47-05:00 - http://www.mytransportco.eu - true - - - cpidId001 - - String - - - - - true - true - - - true - false - - true - true - false - false - - - PT60M - false - true - true - - - en-uk - - - - false - - - - - - - - true - true - - - true - - - true - - - - - NADER - - true - - - true - - - - + 2001-12-17T09:30:47-05:00 + http://www.mytransportco.eu + true + + + cpidId001 + + String + + + + + true + true + + + true + false + + true + true + false + false + + + PT60M + false + true + true + + + en-uk + + + + false + + + + + + + + true + true + + + true + + + true + + + + + NADER + + true + + + true + + + + diff --git a/examples/siri_exm_SX/exx_situationExchange_request.xml b/examples/siri_exm_SX/exx_situationExchange_request.xml index b17fdad1..ab51659c 100644 --- a/examples/siri_exm_SX/exx_situationExchange_request.xml +++ b/examples/siri_exm_SX/exx_situationExchange_request.xml @@ -7,26 +7,26 @@ (C) Copyright 2005-2012 CEN SIRI --> - - - - en - P1Y2M3DT10H30M - P1Y2M3DT10H30M - direct - true - false - - - 2004-12-17T09:30:47-05:00 - NADER - - 2004-12-17T09:30:47-05:00 - - 2004-12-17T09:30:47-05:00 - rail - network - - - + + + + en + P1Y2M3DT10H30M + P1Y2M3DT10H30M + direct + true + false + + + 2004-12-17T09:30:47-05:00 + NADER + + 2004-12-17T09:30:47-05:00 + + 2004-12-17T09:30:47-05:00 + rail + network + + + diff --git a/examples/siri_exm_SX/exx_situationExchange_request_simple.xml b/examples/siri_exm_SX/exx_situationExchange_request_simple.xml index f1e2158d..54ff13a1 100644 --- a/examples/siri_exm_SX/exx_situationExchange_request_simple.xml +++ b/examples/siri_exm_SX/exx_situationExchange_request_simple.xml @@ -7,15 +7,15 @@ (C) Copyright 2005-2012 CEN SIRI --> - - 2004-12-17T09:30:47-05:00 - NADER - - 2004-12-17T09:30:47-05:00 - - line - 52 - - - + + 2004-12-17T09:30:47-05:00 + NADER + + 2004-12-17T09:30:47-05:00 + + line + 52 + + + diff --git a/examples/siri_exm_SX/exx_situationExchange_response.xml b/examples/siri_exm_SX/exx_situationExchange_response.xml index 441d422b..9c0bc9b8 100644 --- a/examples/siri_exm_SX/exx_situationExchange_response.xml +++ b/examples/siri_exm_SX/exx_situationExchange_response.xml @@ -1,208 +1,208 @@ - - - 2004-12-17T09:30:46-05:00 - KUBRICK - true - false - - - 2004-12-17T09:30:46-05:00 - - - 2001-12-17T09:30:47.0Z - de - RAILCO01 - 000354 - 0 - - - 2001-12-17T09:30:47.0Z - de - RAILCO01 - 000354 - 0 - - - - de - phone - 01223333337654 - 03274 - 2001-12-17T09:30:47.0Z - - verified - open - certain - - 2001-12-17T09:30:47.0Z - 2001-12-17T10:30:47.0Z - - bombExplosion - severe - 3 - public - point - Bomb at Barchester station - Building evacuated. Avoid station until further notice - - - - - - - BAAR0003 - Barchester Station - unknown - - -180 - -90 - 1 - - - - - - BArF001 - - - BAR00021 - Platform 3 - - - - - - - - - 2001-12-17T09:30:47.0Z - 2001-12-17T10:30:47.0Z - - unknown - unknown - - true - true - - - noAlighting - noBoarding - - - - - - true - true - false - - - true - false - - - true - true - true - - - - - - 2001-12-17T09:30:47.0Z - de - RAILCO01 - 000354 - 0 - - - 2001-12-17T09:30:47.0Z - de - RAILCO01 - 000354 - 0 - - - - de - phone - 01223333337654 - 03274 - 2001-12-17T09:30:47.0Z - - verified - open - certain - - 2001-12-17T09:30:47.0Z - 2001-12-17T10:30:47.0Z - - bombExplosion - severe - 3 - public - point - Jam on the access road to Barchester Station - Grislock and panic - - - - - - - BAAR0003 - Barchester Station - unknown - - -180 - -90 - 1 - - - - - - BArF001 - - - BAR00021 - Platform 3 - - - - - - - - - 2001-12-17T09:30:47.0Z - 2001-12-17T10:30:47.0Z - - delay - severe - - - - - true - true - false - - - true - false - - - true - true - true - - - - + 2004-12-17T09:30:46-05:00 + KUBRICK + true + false + + + 2004-12-17T09:30:46-05:00 + + + 2001-12-17T09:30:47.0Z + de + RAILCO01 + 000354 + 0 + + + 2001-12-17T09:30:47.0Z + de + RAILCO01 + 000354 + 0 + + + + de + phone + 01223333337654 + 03274 + 2001-12-17T09:30:47.0Z + + verified + open + certain + + 2001-12-17T09:30:47.0Z + 2001-12-17T10:30:47.0Z + + bombExplosion + severe + 3 + public + point + Bomb at Barchester station + Building evacuated. Avoid station until further notice + + + + + + + BAAR0003 + Barchester Station + unknown + + -180 + -90 + 1 + + + + + + BArF001 + + + BAR00021 + Platform 3 + + + + + + + + + 2001-12-17T09:30:47.0Z + 2001-12-17T10:30:47.0Z + + unknown + unknown + + true + true + + + noAlighting + noBoarding + + + + + + true + true + false + + + true + false + + + true + true + true + + + + + + 2001-12-17T09:30:47.0Z + de + RAILCO01 + 000354 + 0 + + + 2001-12-17T09:30:47.0Z + de + RAILCO01 + 000354 + 0 + + + + de + phone + 01223333337654 + 03274 + 2001-12-17T09:30:47.0Z + + verified + open + certain + + 2001-12-17T09:30:47.0Z + 2001-12-17T10:30:47.0Z + + bombExplosion + severe + 3 + public + point + Jam on the access road to Barchester Station + Grislock and panic + + + + + + + BAAR0003 + Barchester Station + unknown + + -180 + -90 + 1 + + + + + + BArF001 + + + BAR00021 + Platform 3 + + + + + + + + + 2001-12-17T09:30:47.0Z + 2001-12-17T10:30:47.0Z + + delay + severe + + + + + true + true + false + + + true + false + + + true + true + true + + + + - - - - + + + + diff --git a/examples/siri_exm_SX/exx_situationExchange_road.xml b/examples/siri_exm_SX/exx_situationExchange_road.xml index 691f7585..e2c47bd3 100644 --- a/examples/siri_exm_SX/exx_situationExchange_road.xml +++ b/examples/siri_exm_SX/exx_situationExchange_road.xml @@ -1,96 +1,96 @@ - 2001-12-17T09:30:47.0Z - de - RAILCO01 - 000354 - 0 - - - 2001-12-17T09:30:47.0Z - de - RAILCO01 - 000354 - 0 - - - - de - phone - 01223333337654 - 03274 - 2001-12-17T09:30:47.0Z - - verified - open - certain - - 2001-12-17T09:30:47.0Z - 2001-12-17T10:30:47.0Z - - bombExplosion - severe - 3 - public - point - Jam on the access road to Barchester Station - Grislock and panic - - - - - - - BAAR0003 - Barchester Station - unknown - - -180 - -90 - 1 - - - - - - BArF001 - - - BAR00021 - Platform 3 - - - - - - - - - 2001-12-17T09:30:47.0Z - 2001-12-17T10:30:47.0Z - - delay - severe - - - - - true - true - false - - - true - false - - - true - true - true - - - - - 2004-12-17T09:30:47-05:00 - NADER - - PT5M - - - NADER - 000234 - 2004-12-17T09:30:47-05:00 - - 2004-12-17T15:30:47-05:00 - severe - - - + + 2004-12-17T09:30:47-05:00 + NADER + + PT5M + + + NADER + 000234 + 2004-12-17T09:30:47-05:00 + + 2004-12-17T15:30:47-05:00 + severe + + + diff --git a/examples/siri_exm_VM/exv_vehicleMonitoring_capabilitiesResponse.xml b/examples/siri_exm_VM/exv_vehicleMonitoring_capabilitiesResponse.xml index 997d3fd4..48f4b24d 100644 --- a/examples/siri_exm_VM/exv_vehicleMonitoring_capabilitiesResponse.xml +++ b/examples/siri_exm_VM/exv_vehicleMonitoring_capabilitiesResponse.xml @@ -1,80 +1,80 @@ - 2001-12-17T09:30:47.0Z - http://www.mytransportco.eu - true - - - cpidId001 - - String - - - - - true - true - - - true - true - - true - true - true - true - - - P1Y2M3DT10H30M0S - true - true - true - true - - - en-uk - - true - minimum - true - true - true - - - true - true - - - true - true - true - true - - - true - - - - - ABCDEF - - - - true - true - - - true - - - true - - - true - - - - - + 2001-12-17T09:30:47.0Z + http://www.mytransportco.eu + true + + + cpidId001 + + String + + + + + true + true + + + true + true + + true + true + true + true + + + P1Y2M3DT10H30M0S + true + true + true + true + + + en-uk + + true + minimum + true + true + true + + + true + true + + + true + true + true + true + + + true + + + + + ABCDEF + + + + true + true + + + true + + + true + + + true + + + + + diff --git a/examples/siri_exm_VM/exv_vehicleMonitoring_request.xml b/examples/siri_exm_VM/exv_vehicleMonitoring_request.xml index 663b72fb..5737f655 100644 --- a/examples/siri_exm_VM/exv_vehicleMonitoring_request.xml +++ b/examples/siri_exm_VM/exv_vehicleMonitoring_request.xml @@ -7,28 +7,28 @@ (C) Copyright 2005-2012 CEN SIRI --> - - - - en - P1Y2M3DT10H30M - P1Y2M3DT10H30M - direct - true - false - - - 2004-12-17T09:30:47-05:00 - NADER - - 2004-12-17T09:30:47-05:00 - - VEHPT55 - VEH154 - Out - - normal - true - - + + + + en + P1Y2M3DT10H30M + P1Y2M3DT10H30M + direct + true + false + + + 2004-12-17T09:30:47-05:00 + NADER + + 2004-12-17T09:30:47-05:00 + + VEHPT55 + VEH154 + Out + + normal + true + + diff --git a/examples/siri_exm_VM/exv_vehicleMonitoring_request_simple.xml b/examples/siri_exm_VM/exv_vehicleMonitoring_request_simple.xml index d8b582e5..6b61dd9e 100644 --- a/examples/siri_exm_VM/exv_vehicleMonitoring_request_simple.xml +++ b/examples/siri_exm_VM/exv_vehicleMonitoring_request_simple.xml @@ -7,16 +7,16 @@ (C) Copyright 2005-2012 CEN SIRI --> - - - 2004-12-17T09:30:47-05:00 - NADER - - 2004-12-17T09:30:47-05:00 - - VEHPT55 - - basic - - + + + 2004-12-17T09:30:47-05:00 + NADER + + 2004-12-17T09:30:47-05:00 + + VEHPT55 + + basic + + diff --git a/examples/siri_exm_VM/exv_vehicleMonitoring_response.xml b/examples/siri_exm_VM/exv_vehicleMonitoring_response.xml index 46ec6c3f..c09359f2 100644 --- a/examples/siri_exm_VM/exv_vehicleMonitoring_response.xml +++ b/examples/siri_exm_VM/exv_vehicleMonitoring_response.xml @@ -9,151 +9,151 @@ (C) Copyright 2005-2012 CEN SIRI --> - - - 2004-12-17T09:30:47-05:00 - NADER - - true - false - - - 2004-12-17T09:30:47-05:00 - NADER - 00047 - true - 2004-12-17T09:30:47-05:00 - P1Y2M3DT10H30M - - 2004-12-17T09:30:47-05:00 - EV000123 - 2004-12-17T09:30:47-05:00 - ACT019456 - - 3.14 - 60.5 - - - - - Line123 - OUT - - 2004-12-17 - 987675 - - - 123 - - OP22 - PDCATEXPRESS - SERVCCAT551 - - Highbury - - Kensall Green - - - Roman Road - - PLACE45 - Paradise Park - Kensall Green - - true - false - - 180 - 90 - - 123 - slowProgress - PT2M - On time - - - 1 - 3456 - 1 - - BLOCK765 - RUN765 - VEH987654 - - - - HLT0011 - 2 - String - false - 2004-12-17T09:32:43-05:00 - 2004-12-17T09:32:43-05:00 - - - - - HLTST012 - 4 - Church - false - 2004-12-17T09:30:56-05:00 - 2004-12-17T09:30:56-05:00 - 2004-12-17T09:30:57-05:00 - 2004-12-17T09:30:57-05:00 - - - - hello vehicle - - - - 2004-12-17T09:30:47-05:00 - 915468 - 2004-12-17T09:30:47-05:00 - MYACACT - - 3.14 - 60.5 - - - - - Line123 - - - 2004-12-17 - Outbound - - - true - - 180 - 90 - - PT2M - VEH987659 - - - - HLTST012 - Church - - - - - - - 2004-12-17T09:30:47-05:00 - 9876542 - - 2001-12-17 - 09867 - - Line123 - Out - Gone home - - hello delivery - - + + + 2004-12-17T09:30:47-05:00 + NADER + + true + false + + + 2004-12-17T09:30:47-05:00 + NADER + 00047 + true + 2004-12-17T09:30:47-05:00 + P1Y2M3DT10H30M + + 2004-12-17T09:30:47-05:00 + EV000123 + 2004-12-17T09:30:47-05:00 + ACT019456 + + 3.14 + 60.5 + + + + + Line123 + OUT + + 2004-12-17 + 987675 + + + 123 + + OP22 + PDCATEXPRESS + SERVCCAT551 + + Highbury + + Kensall Green + + + Roman Road + + PLACE45 + Paradise Park + Kensall Green + + true + false + + 180 + 90 + + 123 + slowProgress + PT2M + On time + + + 1 + 3456 + 1 + + BLOCK765 + RUN765 + VEH987654 + + + + HLT0011 + 2 + String + false + 2004-12-17T09:32:43-05:00 + 2004-12-17T09:32:43-05:00 + + + + + HLTST012 + 4 + Church + false + 2004-12-17T09:30:56-05:00 + 2004-12-17T09:30:56-05:00 + 2004-12-17T09:30:57-05:00 + 2004-12-17T09:30:57-05:00 + + + + hello vehicle + + + + 2004-12-17T09:30:47-05:00 + 915468 + 2004-12-17T09:30:47-05:00 + MYACACT + + 3.14 + 60.5 + + + + + Line123 + + + 2004-12-17 + Outbound + + + true + + 180 + 90 + + PT2M + VEH987659 + + + + HLTST012 + Church + + + + + + + 2004-12-17T09:30:47-05:00 + 9876542 + + 2001-12-17 + 09867 + + Line123 + Out + Gone home + + hello delivery + + diff --git a/examples/siri_exm_VM/exv_vehicleMonitoring_response_simple.xml b/examples/siri_exm_VM/exv_vehicleMonitoring_response_simple.xml index fa3ddab1..5822b035 100644 --- a/examples/siri_exm_VM/exv_vehicleMonitoring_response_simple.xml +++ b/examples/siri_exm_VM/exv_vehicleMonitoring_response_simple.xml @@ -7,56 +7,56 @@ (C) Copyright 2005-2012 CEN SIRI --> - - - 2004-12-17T09:30:47-05:00 - NADER - - - 2004-12-17T09:30:47-05:00 - NADER - 00047 - - 2004-12-17T09:30:47-05:00 - 2004-12-17T09:30:47-05:00 - ACT019456 - - - Line123 - - 2004-12-17 - 987675 - - 123 - - 0.1 - 53.55 - - 123 - VEH987654 - - - - - 2004-12-17T09:30:47-05:00 - 2004-12-17T09:30:47-05:00 - MYACACT - - - - Line123 - - 2004-12-17 - Outbound - - - 0 - 53.5 - - 70 - VEH987659 - - - - + + + 2004-12-17T09:30:47-05:00 + NADER + + + 2004-12-17T09:30:47-05:00 + NADER + 00047 + + 2004-12-17T09:30:47-05:00 + 2004-12-17T09:30:47-05:00 + ACT019456 + + + Line123 + + 2004-12-17 + 987675 + + 123 + + 0.1 + 53.55 + + 123 + VEH987654 + + + + + 2004-12-17T09:30:47-05:00 + 2004-12-17T09:30:47-05:00 + MYACACT + + + + Line123 + + 2004-12-17 + Outbound + + + 0 + 53.5 + + 70 + VEH987659 + + + + diff --git a/examples/siri_exm_VM/exv_vehicleMonitoring_responsex_simple.xml b/examples/siri_exm_VM/exv_vehicleMonitoring_responsex_simple.xml index fa3ddab1..5822b035 100644 --- a/examples/siri_exm_VM/exv_vehicleMonitoring_responsex_simple.xml +++ b/examples/siri_exm_VM/exv_vehicleMonitoring_responsex_simple.xml @@ -7,56 +7,56 @@ (C) Copyright 2005-2012 CEN SIRI --> - - - 2004-12-17T09:30:47-05:00 - NADER - - - 2004-12-17T09:30:47-05:00 - NADER - 00047 - - 2004-12-17T09:30:47-05:00 - 2004-12-17T09:30:47-05:00 - ACT019456 - - - Line123 - - 2004-12-17 - 987675 - - 123 - - 0.1 - 53.55 - - 123 - VEH987654 - - - - - 2004-12-17T09:30:47-05:00 - 2004-12-17T09:30:47-05:00 - MYACACT - - - - Line123 - - 2004-12-17 - Outbound - - - 0 - 53.5 - - 70 - VEH987659 - - - - + + + 2004-12-17T09:30:47-05:00 + NADER + + + 2004-12-17T09:30:47-05:00 + NADER + 00047 + + 2004-12-17T09:30:47-05:00 + 2004-12-17T09:30:47-05:00 + ACT019456 + + + Line123 + + 2004-12-17 + 987675 + + 123 + + 0.1 + 53.55 + + 123 + VEH987654 + + + + + 2004-12-17T09:30:47-05:00 + 2004-12-17T09:30:47-05:00 + MYACACT + + + + Line123 + + 2004-12-17 + Outbound + + + 0 + 53.5 + + 70 + VEH987659 + + + + diff --git a/examples/siri_exm_VM/exv_vehicleMonitoring_subscriptionRequest.xml b/examples/siri_exm_VM/exv_vehicleMonitoring_subscriptionRequest.xml index d385ae88..2d2b963a 100644 --- a/examples/siri_exm_VM/exv_vehicleMonitoring_subscriptionRequest.xml +++ b/examples/siri_exm_VM/exv_vehicleMonitoring_subscriptionRequest.xml @@ -1,34 +1,34 @@ - - - 2004-12-17T09:30:47-05:00 - NADER - - - 00000456 - 2004-12-17T09:30:47-05:00 - - - 2004-12-17T09:30:47-05:00 - - VIS123 - minimum - - - - 00000457 - 2004-12-17T09:30:47-05:00 - - - 2004-12-17T09:30:47-05:00 - - VEH222 - calls - - false - PT2M - - + + + 2004-12-17T09:30:47-05:00 + NADER + + + 00000456 + 2004-12-17T09:30:47-05:00 + + + 2004-12-17T09:30:47-05:00 + + VIS123 + minimum + + + + 00000457 + 2004-12-17T09:30:47-05:00 + + + 2004-12-17T09:30:47-05:00 + + VEH222 + calls + + false + PT2M + + diff --git a/examples/siri_exu_capability/exd_allServices_capabilitiesRequest.xml b/examples/siri_exu_capability/exd_allServices_capabilitiesRequest.xml index 40f13a4c..a8e7a1cc 100644 --- a/examples/siri_exu_capability/exd_allServices_capabilitiesRequest.xml +++ b/examples/siri_exu_capability/exd_allServices_capabilitiesRequest.xml @@ -1,38 +1,38 @@ - - 2001-12-17T09:30:47.0Z - 12345 - - 2001-12-17T09:30:47.0Z - - - 2001-12-17T09:30:47.0Z - - - 2001-12-17T09:30:47.0Z - - - 2001-12-17T09:30:47.0Z - - - 2001-12-17T09:30:47.0Z - - - 2001-12-17T09:30:47.0Z - - - 2001-12-17T09:30:47.0Z - - - 2001-12-17T09:30:47.0Z - - - 2001-12-17T09:30:47.0Z - - - 2001-12-17T09:30:47.0Z - - + + 2001-12-17T09:30:47.0Z + 12345 + + 2001-12-17T09:30:47.0Z + + + 2001-12-17T09:30:47.0Z + + + 2001-12-17T09:30:47.0Z + + + 2001-12-17T09:30:47.0Z + + + 2001-12-17T09:30:47.0Z + + + 2001-12-17T09:30:47.0Z + + + 2001-12-17T09:30:47.0Z + + + 2001-12-17T09:30:47.0Z + + + 2001-12-17T09:30:47.0Z + + + 2001-12-17T09:30:47.0Z + + diff --git a/examples/siri_exu_capability/exd_allServices_capabilitiesResponse.xml b/examples/siri_exu_capability/exd_allServices_capabilitiesResponse.xml index 74143dac..f7c9e1e0 100644 --- a/examples/siri_exu_capability/exd_allServices_capabilitiesResponse.xml +++ b/examples/siri_exu_capability/exd_allServices_capabilitiesResponse.xml @@ -1,494 +1,494 @@ - - 2004-12-17T09:30:47-05:00 - KUBRICK - - 2004-12-17T09:30:47-05:00 - true - - - - true - false - - - true - false - - false - true - false - true - false - - - httpPost - none - - - true - true - true - true - - - en - wgs84 - - - true - - - false - false - false - false - - - - - 2004-12-17T09:30:47-05:00 - true - - - - true - false - - - true - false - - false - true - false - true - false - - - httpPost - none - - - true - true - - - en - WGS84 - - - true - true - - - false - false - false - false - - - - - - 2004-12-17T09:30:47-05:00 - my123 - true - - - - true - false - - - true - false - - false - true - false - true - false - - - httpPost - none - - - true - true - true - - - en - WGS84 - true - true - - - false - false - false - false - - - - - 2004-12-17T09:30:47-05:00 - my123 - true - - - - true - false - - - true - false - - false - true - false - true - false - - - httpPost - none - - - PT60M - true - true - true - true - false - false - - - en - WGS84 - true - true - true - calls - true - true - true - true - true - - - true - true - - - false - false - false - false - - - true - - - - - 2004-12-17T09:30:47-05:00 - abcde - true - - - - true - false - - - true - false - - false - true - false - true - false - - - httpPost - none - - - PT60M - true - true - true - true - - - en - WGS84 - true - normal - true - true - true - true - - - false - true - - - false - false - false - false - - - false - false - - - - - 2004-12-17T09:30:47-05:00 - abcde - true - - - - true - false - - - true - false - - false - true - false - true - false - - - httpPost - none - - - true - true - - - en - WGS84 - false - - - false - false - - - false - false - false - false - - - - - 2004-12-17T09:30:47-05:00 - abcde - true - - - - true - false - - - true - false - - false - true - false - true - false - - - httpPost - none - - - true - true - - - en - WGS84 - false - - - false - false - - - false - false - false - false - - - - - 2004-12-17T09:30:47-05:00 - abcde - true - - - - true - false - - - true - false - - false - true - false - true - false - - - httpPost - none - - - PT10M - true - - - en - WGS84 - - - false - false - - - - - 2004-12-17T09:30:47-05:00 - abcde - true - - - - true - false - - - true - false - - false - true - false - true - false - - - httpPost - none - - - PT60M - true - true - true - true - true - true - false - false - true - - - en - WHS84 - true - - - false - false - - - false - false - false - - - true - true - - - - - 2004-12-17T09:30:47-05:00 - abcde - true - - - - true - false - - - true - false - - false - true - false - true - false - - - httpPost - none - - - - true - true - true - - - true - true - true - true - - - en - WGS84 - true - - - true - true - - - false - false - false - - - - - + + 2004-12-17T09:30:47-05:00 + KUBRICK + + 2004-12-17T09:30:47-05:00 + true + + + + true + false + + + true + false + + false + true + false + true + false + + + httpPost + none + + + true + true + true + true + + + en + wgs84 + + + true + + + false + false + false + false + + + + + 2004-12-17T09:30:47-05:00 + true + + + + true + false + + + true + false + + false + true + false + true + false + + + httpPost + none + + + true + true + + + en + WGS84 + + + true + true + + + false + false + false + false + + + + + + 2004-12-17T09:30:47-05:00 + my123 + true + + + + true + false + + + true + false + + false + true + false + true + false + + + httpPost + none + + + true + true + true + + + en + WGS84 + true + true + + + false + false + false + false + + + + + 2004-12-17T09:30:47-05:00 + my123 + true + + + + true + false + + + true + false + + false + true + false + true + false + + + httpPost + none + + + PT60M + true + true + true + true + false + false + + + en + WGS84 + true + true + true + calls + true + true + true + true + true + + + true + true + + + false + false + false + false + + + true + + + + + 2004-12-17T09:30:47-05:00 + abcde + true + + + + true + false + + + true + false + + false + true + false + true + false + + + httpPost + none + + + PT60M + true + true + true + true + + + en + WGS84 + true + normal + true + true + true + true + + + false + true + + + false + false + false + false + + + false + false + + + + + 2004-12-17T09:30:47-05:00 + abcde + true + + + + true + false + + + true + false + + false + true + false + true + false + + + httpPost + none + + + true + true + + + en + WGS84 + false + + + false + false + + + false + false + false + false + + + + + 2004-12-17T09:30:47-05:00 + abcde + true + + + + true + false + + + true + false + + false + true + false + true + false + + + httpPost + none + + + true + true + + + en + WGS84 + false + + + false + false + + + false + false + false + false + + + + + 2004-12-17T09:30:47-05:00 + abcde + true + + + + true + false + + + true + false + + false + true + false + true + false + + + httpPost + none + + + PT10M + true + + + en + WGS84 + + + false + false + + + + + 2004-12-17T09:30:47-05:00 + abcde + true + + + + true + false + + + true + false + + false + true + false + true + false + + + httpPost + none + + + PT60M + true + true + true + true + true + true + false + false + true + + + en + WHS84 + true + + + false + false + + + false + false + false + + + true + true + + + + + 2004-12-17T09:30:47-05:00 + abcde + true + + + + true + false + + + true + false + + false + true + false + true + false + + + httpPost + none + + + + true + true + true + + + true + true + true + true + + + en + WGS84 + true + + + true + true + + + false + false + false + + + + + diff --git a/examples/siri_exu_discovery/exd_lines_discoveryRequest.xml b/examples/siri_exu_discovery/exd_lines_discoveryRequest.xml index 8c7afd68..fd87334e 100644 --- a/examples/siri_exu_discovery/exd_lines_discoveryRequest.xml +++ b/examples/siri_exu_discovery/exd_lines_discoveryRequest.xml @@ -1,10 +1,10 @@ - - 2004-12-17T09:30:47-05:00 - NADER - MYAGENCY - full - + + 2004-12-17T09:30:47-05:00 + NADER + MYAGENCY + full + diff --git a/examples/siri_exu_discovery/exd_lines_discoveryResponse.xml b/examples/siri_exu_discovery/exd_lines_discoveryResponse.xml index 95868ef5..ddfc7170 100644 --- a/examples/siri_exu_discovery/exd_lines_discoveryResponse.xml +++ b/examples/siri_exu_discovery/exd_lines_discoveryResponse.xml @@ -1,77 +1,77 @@ - - 2004-12-17T09:30:47-05:00 - true - - Line564 - 564 - true - - - PLace45 - Paradise - - - - - DIR01 - Outbound - - - - - ST001 - Alpha Road - - Line564 - 22 - - - 0.11 - 53.01 - - 1 - - - ST002 - Beta Street - - Line564 - - - 0.12 - 53.02 - - 2 - - - ST003 - Charley Square - SA2001 - - - Line564 - NORTH - - 44 - - - 0.13 - 53.03 - - 3 - - - - - - - DIR02 - Inbound - - - - + + 2004-12-17T09:30:47-05:00 + true + + Line564 + 564 + true + + + PLace45 + Paradise + + + + + DIR01 + Outbound + + + + + ST001 + Alpha Road + + Line564 + 22 + + + 0.11 + 53.01 + + 1 + + + ST002 + Beta Street + + Line564 + + + 0.12 + 53.02 + + 2 + + + ST003 + Charley Square + SA2001 + + + Line564 + NORTH + + 44 + + + 0.13 + 53.03 + + 3 + + + + + + + DIR02 + Inbound + + + + diff --git a/examples/siri_exu_discovery/exd_productCategories_discoveryRequest.xml b/examples/siri_exu_discovery/exd_productCategories_discoveryRequest.xml index f44cc2e2..3aaef6b8 100644 --- a/examples/siri_exu_discovery/exd_productCategories_discoveryRequest.xml +++ b/examples/siri_exu_discovery/exd_productCategories_discoveryRequest.xml @@ -1,8 +1,8 @@ - - 2004-12-17T09:30:47-05:00 - NADER - + + 2004-12-17T09:30:47-05:00 + NADER + diff --git a/examples/siri_exu_discovery/exd_productCategories_discoveryResponse.xml b/examples/siri_exu_discovery/exd_productCategories_discoveryResponse.xml index 1268e0e7..39783ed6 100644 --- a/examples/siri_exu_discovery/exd_productCategories_discoveryResponse.xml +++ b/examples/siri_exu_discovery/exd_productCategories_discoveryResponse.xml @@ -1,13 +1,13 @@ - - 2004-12-17T09:30:47-05:00 - true - - CAT1 - Express - http://www.speedy.com - - + + 2004-12-17T09:30:47-05:00 + true + + CAT1 + Express + http://www.speedy.com + + diff --git a/examples/siri_exu_discovery/exd_serviceFeatures_discoveryRequest.xml b/examples/siri_exu_discovery/exd_serviceFeatures_discoveryRequest.xml index a92f5f99..8b870597 100644 --- a/examples/siri_exu_discovery/exd_serviceFeatures_discoveryRequest.xml +++ b/examples/siri_exu_discovery/exd_serviceFeatures_discoveryRequest.xml @@ -1,8 +1,8 @@ - - 2004-12-17T09:30:47-05:00 - NADER - + + 2004-12-17T09:30:47-05:00 + NADER + diff --git a/examples/siri_exu_discovery/exd_serviceFeatures_discoveryResponse.xml b/examples/siri_exu_discovery/exd_serviceFeatures_discoveryResponse.xml index 743e3484..56b6fb11 100644 --- a/examples/siri_exu_discovery/exd_serviceFeatures_discoveryResponse.xml +++ b/examples/siri_exu_discovery/exd_serviceFeatures_discoveryResponse.xml @@ -1,18 +1,18 @@ - - 2004-12-17T09:30:47-05:00 - true - - CAT01 - Express - express.gif - - - CAT021 - School - school.gif - - + + 2004-12-17T09:30:47-05:00 + true + + CAT01 + Express + express.gif + + + CAT021 + School + school.gif + + diff --git a/examples/siri_exu_discovery/exd_stopPoints_discoveryRequest.xml b/examples/siri_exu_discovery/exd_stopPoints_discoveryRequest.xml index 1561c216..47e77a1b 100644 --- a/examples/siri_exu_discovery/exd_stopPoints_discoveryRequest.xml +++ b/examples/siri_exu_discovery/exd_stopPoints_discoveryRequest.xml @@ -6,19 +6,19 @@ (C) Copyright 2005-2012 CEN SIRI --> - - 2004-12-17T09:30:47-05:00 - NADER - - - - 0.1 - 53.1 - - - 0.2 - 53.2 - - - + + 2004-12-17T09:30:47-05:00 + NADER + + + + 0.1 + 53.1 + + + 0.2 + 53.2 + + + diff --git a/examples/siri_exu_discovery/exd_stopPoints_discoveryResponse.xml b/examples/siri_exu_discovery/exd_stopPoints_discoveryResponse.xml index 8f1c01a8..a714b32c 100644 --- a/examples/siri_exu_discovery/exd_stopPoints_discoveryResponse.xml +++ b/examples/siri_exu_discovery/exd_stopPoints_discoveryResponse.xml @@ -1,47 +1,47 @@ - - 2004-12-17T09:30:47-05:00 - true - - HLTS0001 - true - Stop 101 - - - S123 - Shelter - http://www.mybus.org/shelter.jpg - - - - A23 - - - 0.1 - 53 - - - - HLTS0002 - true - Stop 102 - - - S123 - Shelter - http://www.mybus.org/shelter.jpg - - - - A23 - A24 - - - 0.12 - 53.1 - - - + + 2004-12-17T09:30:47-05:00 + true + + HLTS0001 + true + Stop 101 + + + S123 + Shelter + http://www.mybus.org/shelter.jpg + + + + A23 + + + 0.1 + 53 + + + + HLTS0002 + true + Stop 102 + + + S123 + Shelter + http://www.mybus.org/shelter.jpg + + + + A23 + A24 + + + 0.12 + 53.1 + + + diff --git a/examples/siri_exu_discovery/exd_vehicleFeatures_discoveryRequest.xml b/examples/siri_exu_discovery/exd_vehicleFeatures_discoveryRequest.xml index cd5e5274..dee6ea1f 100644 --- a/examples/siri_exu_discovery/exd_vehicleFeatures_discoveryRequest.xml +++ b/examples/siri_exu_discovery/exd_vehicleFeatures_discoveryRequest.xml @@ -1,8 +1,8 @@ - - 2004-12-17T09:30:47-05:00 - NADER - + + 2004-12-17T09:30:47-05:00 + NADER + diff --git a/examples/siri_exu_discovery/exd_vehicleFeatures_discoveryResponse.xml b/examples/siri_exu_discovery/exd_vehicleFeatures_discoveryResponse.xml index 8741ccfb..f2f669d4 100644 --- a/examples/siri_exu_discovery/exd_vehicleFeatures_discoveryResponse.xml +++ b/examples/siri_exu_discovery/exd_vehicleFeatures_discoveryResponse.xml @@ -1,17 +1,17 @@ - - 2004-12-17T09:30:47-05:00 - - VF01 - Low doors - lowdoors.gif - - - VF02 - Wheelchair - spastic.gif - - + + 2004-12-17T09:30:47-05:00 + + VF01 + Low doors + lowdoors.gif + + + VF02 + Wheelchair + spastic.gif + + diff --git a/xsd/acsb/acsb_accessibility.xsd b/xsd/acsb/acsb_accessibility.xsd index 11da8796..6517bc39 100644 --- a/xsd/acsb/acsb_accessibility.xsd +++ b/xsd/acsb/acsb_accessibility.xsd @@ -1,43 +1,44 @@ - - - - main schema - e-service developers - Europe - Drafted for version 1.0 CEN TC278 WG3 SG6 Editor Nicholas Knowles, Kizoom. mailto:schemer@ifopt.org.uk - - 2006-08-12 - - - 2006-09-22 - - - 2007-03-29 - - -

Fixed Objects in Public Transport. This subschema defines common accessibility types.

-
- - text/xml - http://www.w3.org/2001/XMLSchema - XML schema, W3C Recommendation 2001 - - {http://www.siri.org.uk/schema/2.0/ifopt}ifopt_accessibility.xsd - [ISO 639-2/B] ENG - Kizoom, 109-123 Clifton Street, London EC4A 4LD - - CEN, Crown Copyright 2006-2021 - - -
    -
  • Derived from the SIRI standards.
  • -
- - Version 2.1 - - Arts, recreation and travel, Tourism, Travel (tourism), Transport, + + + + main schema + e-service developers + Europe + Drafted for version 1.0 CEN TC278 WG3 SG6 Editor Nicholas Knowles, Kizoom. mailto:schemer@ifopt.org.uk + + 2006-08-12 + + + 2006-09-22 + + + 2007-03-29 + + +

Fixed Objects in Public Transport. This subschema defines common accessibility types.

+
+ + text/xml + http://www.w3.org/2001/XMLSchema + XML schema, W3C Recommendation 2001 + + {http://www.siri.org.uk/schema/2.0/ifopt}ifopt_accessibility.xsd + [ISO 639-2/B] ENG + Kizoom, 109-123 Clifton Street, London EC4A 4LD + + + CEN, Crown Copyright 2006-2021 + + +
    +
  • Derived from the SIRI standards.
  • +
+ + Version 2.1 + + Arts, recreation and travel, Tourism, Travel (tourism), Transport, Air transport, Airports, Ports and maritime transport, Ferries (marine), Public transport, Bus services, Coach services, Bus stops and stations, @@ -45,96 +46,96 @@ Rail transport, Railway stations and track, Train services, Underground trains, Business and industry, Transport, Air transport, Ports and maritime transport, Public transport, Rail transport, Roads and road transport - CEN TC278 WG3 SG6 - - IFOPT Fixed Objects in Public Transport - accessibility Types. - Standard -
-
- Fixed Objects accessibility types for IFOPT Fixed Objects in Public Transport. -
- - - - - - - - - Type for identifier of a hazard within a STOP PLACE. - - - - - - Type for reference to an identifier of a hazard within a STOP PLACE. - - - - - - - - - Type for limitation on navigation. - - - - - Identifier of LIMITATION. - - - - - Validity condition governing applicability of LIMITATION. - - - - - - - - - - - Type for Assesment. - - - - - Summary indication as to whether the component is considered to be accessible or not. - - - - - The Limitations that apply to component. - - - - - - The accessibility limitations on navigation. - - - - - - - - The Suitability of the component to meet specifc user needs. - - - - - - The Suitability of com[onent to meet a specifc user need. - - - - - - - - - + CEN TC278 WG3 SG6 +
+ IFOPT Fixed Objects in Public Transport - accessibility Types. + Standard +
+
+ Fixed Objects accessibility types for IFOPT Fixed Objects in Public Transport. +
+ + + + + + + + + Type for identifier of a hazard within a STOP PLACE. + + + + + + Type for reference to an identifier of a hazard within a STOP PLACE. + + + + + + + + + Type for limitation on navigation. + + + + + Identifier of LIMITATION. + + + + + Validity condition governing applicability of LIMITATION. + + + + + + + + + + + Type for Assesment. + + + + + Summary indication as to whether the component is considered to be accessible or not. + + + + + The Limitations that apply to component. + + + + + + The accessibility limitations on navigation. + + + + + + + + The Suitability of the component to meet specifc user needs. + + + + + + The Suitability of com[onent to meet a specifc user need. + + + + + + + + +
diff --git a/xsd/acsb/acsb_all.xsd b/xsd/acsb/acsb_all.xsd index 75a718db..fa0e9ffe 100644 --- a/xsd/acsb/acsb_all.xsd +++ b/xsd/acsb/acsb_all.xsd @@ -4,8 +4,8 @@ --> - - - - + + + + diff --git a/xsd/acsb/acsb_limitations.xsd b/xsd/acsb/acsb_limitations.xsd index 51a0de13..d87c4d2e 100644 --- a/xsd/acsb/acsb_limitations.xsd +++ b/xsd/acsb/acsb_limitations.xsd @@ -1,43 +1,44 @@ - - - - main schema - e-service developers - Europe - Drafted for version 1.0 CEN TC278 WG3 SG6 Editor Nicholas Knowles, Kizoom. mailto:schemer@ifopt.org.uk - - 2006-08-12 - - - 2006-09-22 - - - 2007-03-29 - - -

Fixed Objects in Public Transport. This subschema defines common accessibility limitation types.

-
- - text/xml - http://www.w3.org/2001/XMLSchema - XML schema, W3C Recommendation 2001 - - {http://www.siri.org.uk/schema/2.0/ifopt}ifopt_accessibility.xsd - [ISO 639-2/B] ENG - Kizoom, 109-123 Clifton Street, London EC4A 4LD - - CEN, Crown Copyright 2006-2021 + + + + main schema + e-service developers + Europe + Drafted for version 1.0 CEN TC278 WG3 SG6 Editor Nicholas Knowles, Kizoom. mailto:schemer@ifopt.org.uk + + 2006-08-12 + + + 2006-09-22 + + + 2007-03-29 + + +

Fixed Objects in Public Transport. This subschema defines common accessibility limitation types.

+
+ + text/xml + http://www.w3.org/2001/XMLSchema + XML schema, W3C Recommendation 2001 + + {http://www.siri.org.uk/schema/2.0/ifopt}ifopt_accessibility.xsd + [ISO 639-2/B] ENG + Kizoom, 109-123 Clifton Street, London EC4A 4LD + + + CEN, Crown Copyright 2006-2021 - -
    -
  • Derived from the SIRI standards.
  • -
- - Version 2.1 - - Arts, recreation and travel, Tourism, Travel (tourism), Transport, + +
    +
  • Derived from the SIRI standards.
  • +
+ + Version 2.1 + + Arts, recreation and travel, Tourism, Travel (tourism), Transport, Air transport, Airports, Ports and maritime transport, Ferries (marine), Public transport, Bus services, Coach services, Bus stops and stations, @@ -45,97 +46,97 @@ Rail transport, Railway stations and track, Train services, Underground trains, Business and industry, Transport, Air transport, Ports and maritime transport, Public transport, Rail transport, Roads and road transport - CEN TC278 WG3 SG6 - - IFOPT Fixed Objects in Public Transport - accessibility Types. - Standard -
-
- Fixed Objects accessibility limitation types for IFOPT Fixed Objects in Public Transport. -
- - - - - Group of mobility LIMITATIONs. - - - - - - - - - - - Enumeration of values for an accessibility value. - - - - - - - - - - Group of sensory LIMITATIONs. - - - - - Whether a PLACE / SITE ELEMENT has Audible signals for the visually impaired. Default is 'false'. - - - - - Whether a PLACE / SITE ELEMENT has Visual signals for the hearing impaired. Default is 'unknown'. - - - - - - - - Type for accessibility. - - - - - - - - Whether a PLACE / SITE ELEMENT is wheelchair accessible. Default is 'false'. - - - - - Whether a PLACE / SITE ELEMENT has step free access. Default is 'unknown'. - - - - - Whether a PLACE / SITE ELEMENT has escalator free access. Default is 'unknown'. - - - - - Whether a PLACE / SITE ELEMENT has lift free access. Default is 'unknown'. - - - - - Whether a PLACE / SITE ELEMENT is wheelchair accessible. Default is 'false'. - - - - - Whether a PLACE / SITE ELEMENT has Visual signals available for the visually impaired. - - - - - Whether a PLACE / SITE ELEMENT allows guide dog access. - - - + CEN TC278 WG3 SG6 + + IFOPT Fixed Objects in Public Transport - accessibility Types. + Standard +
+
+ Fixed Objects accessibility limitation types for IFOPT Fixed Objects in Public Transport. +
+ + + + + Group of mobility LIMITATIONs. + + + + + + + + + + + Enumeration of values for an accessibility value. + + + + + + + + + + Group of sensory LIMITATIONs. + + + + + Whether a PLACE / SITE ELEMENT has Audible signals for the visually impaired. Default is 'false'. + + + + + Whether a PLACE / SITE ELEMENT has Visual signals for the hearing impaired. Default is 'unknown'. + + + + + + + + Type for accessibility. + + + + + + + + Whether a PLACE / SITE ELEMENT is wheelchair accessible. Default is 'false'. + + + + + Whether a PLACE / SITE ELEMENT has step free access. Default is 'unknown'. + + + + + Whether a PLACE / SITE ELEMENT has escalator free access. Default is 'unknown'. + + + + + Whether a PLACE / SITE ELEMENT has lift free access. Default is 'unknown'. + + + + + Whether a PLACE / SITE ELEMENT is wheelchair accessible. Default is 'false'. + + + + + Whether a PLACE / SITE ELEMENT has Visual signals available for the visually impaired. + + + + + Whether a PLACE / SITE ELEMENT allows guide dog access. + + +
diff --git a/xsd/acsb/acsb_passengerMobility.xsd b/xsd/acsb/acsb_passengerMobility.xsd index cac29142..ed4ef857 100644 --- a/xsd/acsb/acsb_passengerMobility.xsd +++ b/xsd/acsb/acsb_passengerMobility.xsd @@ -1,43 +1,44 @@ - - - - main schema - e-service developers - Europe - Drafted for version 1.0 CEN TC278 WG3 SG6 Editor Nicholas Knowles, Kizoom. mailto:schemer@ifopt.org.uk - - 2006-08-12 - - - 2006-09-22 - - - 2007-03-29 - - -

Fixed Objects in Public Transport. This subschema defines common accessibility types.

-
- - text/xml - http://www.w3.org/2001/XMLSchema - XML schema, W3C Recommendation 2001 - - {http://www.siri.org.uk/schema/2.0/ifopt}ifopt_accessibility.xsd - [ISO 639-2/B] ENG - Kizoom, 109-123 Clifton Street, London EC4A 4LD - - CEN, Crown Copyright 2006-2021 + + + + main schema + e-service developers + Europe + Drafted for version 1.0 CEN TC278 WG3 SG6 Editor Nicholas Knowles, Kizoom. mailto:schemer@ifopt.org.uk + + 2006-08-12 + + + 2006-09-22 + + + 2007-03-29 + + +

Fixed Objects in Public Transport. This subschema defines common accessibility types.

+
+ + text/xml + http://www.w3.org/2001/XMLSchema + XML schema, W3C Recommendation 2001 + + {http://www.siri.org.uk/schema/2.0/ifopt}ifopt_accessibility.xsd + [ISO 639-2/B] ENG + Kizoom, 109-123 Clifton Street, London EC4A 4LD + + + CEN, Crown Copyright 2006-2021 - -
    -
  • Derived from the SIRI standards.
  • -
- - Version 2.1 - - Arts, recreation and travel, Tourism, Travel (tourism), Transport, + +
    +
  • Derived from the SIRI standards.
  • +
+ + Version 2.1 + + Arts, recreation and travel, Tourism, Travel (tourism), Transport, Air transport, Airports, Ports and maritime transport, Ferries (marine), Public transport, Bus services, Coach services, Bus stops and stations, @@ -45,168 +46,168 @@ Rail transport, Railway stations and track, Train services, Underground trains, Business and industry, Transport, Air transport, Ports and maritime transport, Public transport, Rail transport, Roads and road transport - CEN TC278 WG3 SG6 - - IFOPT Fixed Objects in Public Transport - Passenger Mobility Types. - Standard -
-
- Fixed Objects accessibility types for IFOPT Fixed Objects in Public Transport. -
- - - - Type for accessibility needs. Records the requirementrs of a passenger that may affect choice of facilities. - - - - - Specific pyschosensory need that may constrain choice of services and facilities. - - - - - Whether the passenger is accompanied by a carer or assistant. - - - - - - - Type for of a specific need. - - - - - one of the following. - - - - - Whether USER NEED is included or excluded. Default is 'included'. - - - - - Relative ranking of USER NEED on a sclae 1-5 - - - - - Extensions to USETR NEED. - - - - - - - - - Passenger mobility USER NEED for which SUITABILITY is specified. - - - - - Passenger mobility USER NEED for which SUITABILITY is specified. - - - - - Passenger medical USER NEED for which SUITABILITY is specified. - - - - - - - - Passenger enceumbrance USER NEED for which SUITABILITY is specified. - - - - - - - - Identification of mobility USER NEEDs. - - - - - - - - - - - - - - Enumeration of specific psychosensory USER NEEDs. - - - - - - - - - - - - - - - - Enumeration of specific Medical USER NEEDs. - - - - - - - - - - - Enumeration of specific encumbrances USER NEEDs. - - - - - - - - - - - - - - - Type for of a specific SUITABILITY. - - - - - Whether the Facility is suitable. - - - - - USER NEED for which SUITABILITY is specified. - - - - - - - Identification of specific SUITABILITY. - - - - - - - + CEN TC278 WG3 SG6 + + IFOPT Fixed Objects in Public Transport - Passenger Mobility Types. + Standard +
+
+ Fixed Objects accessibility types for IFOPT Fixed Objects in Public Transport. +
+ + + + Type for accessibility needs. Records the requirementrs of a passenger that may affect choice of facilities. + + + + + Specific pyschosensory need that may constrain choice of services and facilities. + + + + + Whether the passenger is accompanied by a carer or assistant. + + + + + + + Type for of a specific need. + + + + + one of the following. + + + + + Whether USER NEED is included or excluded. Default is 'included'. + + + + + Relative ranking of USER NEED on a sclae 1-5 + + + + + Extensions to USETR NEED. + + + + + + + + + Passenger mobility USER NEED for which SUITABILITY is specified. + + + + + Passenger mobility USER NEED for which SUITABILITY is specified. + + + + + Passenger medical USER NEED for which SUITABILITY is specified. + + + + + + + + Passenger enceumbrance USER NEED for which SUITABILITY is specified. + + + + + + + + Identification of mobility USER NEEDs. + + + + + + + + + + + + + + Enumeration of specific psychosensory USER NEEDs. + + + + + + + + + + + + + + + + Enumeration of specific Medical USER NEEDs. + + + + + + + + + + + Enumeration of specific encumbrances USER NEEDs. + + + + + + + + + + + + + + + Type for of a specific SUITABILITY. + + + + + Whether the Facility is suitable. + + + + + USER NEED for which SUITABILITY is specified. + + + + + + + Identification of specific SUITABILITY. + + + + + + +
diff --git a/xsd/datex2/DATEXIISchema.xsd b/xsd/datex2/DATEXIISchema.xsd index 2fb16df8..8f7df4ae 100644 --- a/xsd/datex2/DATEXIISchema.xsd +++ b/xsd/datex2/DATEXIISchema.xsd @@ -1,3713 +1,3713 @@ - + - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/xsd/datex2/DATEXIISchemaWithDefinitions.xsd b/xsd/datex2/DATEXIISchemaWithDefinitions.xsd index defb867e..5a04279e 100644 --- a/xsd/datex2/DATEXIISchemaWithDefinitions.xsd +++ b/xsd/datex2/DATEXIISchemaWithDefinitions.xsd @@ -1,11538 +1,11538 @@ - + - - - A traffic condition which is not normal. - - - - - - - A characterization of the nature of abnormal traffic flow, i.e. specifically relating to the nature of the traffic movement. - - - - - The number of vehicles waiting in a queue. - - - - - The length of a queue or the average length of queues in separate lanes due to a situation. - - - - - Assessment of the traffic flow conditions relative to normally expected conditions at this date/time. - - - - - A characterization of the traffic flow. - - - - - A characterization of the trend in the traffic conditions at the specified location and direction. - - - - - - - - - - Collection of descriptive terms for abnormal traffic conditions specifically relating to the nature of the traffic movement. - - - - - Traffic is stationary, or very near stationary, at the specified location (i.e. average speed is less than 10% of its free-flow level). - - - - - Traffic is queuing at the specified location, although there is still some traffic movement (i.e. average speed is between 10% and 25% of its free-flow level). - - - - - Traffic is slow moving at the specified location, but not yet forming queues (i.e. average speed is between 25% and 75% of its free-flow level). - - - - - Traffic is heavy at the specified location (i.e. average speed is between 75% and 90% of its free-flow level). - - - - - There are abnormal traffic conditions of an unspecified nature at the specified location. - - - - - Other than as defined in this enumeration. - - - - - - - Accidents are events where one or more vehicles are involved in collisions or in leaving the roadway. These include collisions between vehicles or with other road users or obstacles. - - - - - - - A descriptor indicating the most significant factor causing an accident. - - - - - A characterization of the nature of the accident. - - - - - The total number of people that are involved. - - - - - The total number of vehicles that are involved. - - - - - The vehicle involved in the accident. - - - - - - - - - - - - Collection of the type of accident causes. - - - - - Avoidance of obstacles on the roadway. - - - - - Driver distraction. - - - - - Driver under the influence of drugs. - - - - - Driver illness. - - - - - Loss of vehicle control due to excessive vehicle speed. - - - - - Driver abilities reduced due to driving under the influence of alcohol. Alcohol levels above nationally accepted limit. - - - - - Excessive tiredness of the driver. - - - - - A driving manoeuvre which was not permitted. - - - - - Limited or impaired visibility. - - - - - Not keeping a safe distance from the vehicle in front. - - - - - Driving on the wrong side of the road. - - - - - Pedestrian in the roadway. - - - - - Not keeping to lane. - - - - - Poor judgement when merging at an entry or exit point of a carriageway or junction. - - - - - Poor road surface condition. - - - - - Poor road surface adherence. - - - - - Undisclosed cause. - - - - - Unknown cause. - - - - - Malfunction or failure of vehicle function. - - - - - Other than as defined in this enumeration. - - - - - - - Collection of descriptive terms for types of accidents. - - - - - Accidents are situations in which one or more vehicles lose control and do not recover. They include collisions between vehicle(s) or other road user(s), between vehicle(s) and fixed obstacle(s), or they result from a vehicle running off the road. - - - - - Includes all accidents involving at least one bicycle. - - - - - Includes all accidents involving at least one passenger vehicle. - - - - - Includes all accidents involving at least one vehicle believed to be carrying materials, which could present an additional hazard to road users. - - - - - Includes all accidents involving at least one heavy goods vehicle. - - - - - Includes all accidents involving at least one mass transit vehicle. - - - - - Includes all accidents involving at least one moped. - - - - - Includes all accidents involving at least one motorcycle. - - - - - Accident involving radioactive material. - - - - - Includes all accidents involving collision with a train. - - - - - Includes all situations resulting in a spillage of chemicals on the carriageway. - - - - - Collision of vehicle with another object of unspecified type. - - - - - Collision of vehicle with one or more animals. - - - - - Collision of vehicle with an object of a stationary nature. - - - - - Collision of vehicle with one or more pedestrians. - - - - - An earlier reported accident that is causing disruption to traffic or is resulting in further accidents. - - - - - Includes all situations resulting in a spillage of fuel on the carriageway. - - - - - Collision of vehicle with another vehicle head on. - - - - - Collision of vehicle with another vehicle either head on or sideways. - - - - - Includes all situations resulting in a heavy goods vehicle folding together in an accidental skidding movement on the carriageway. - - - - - Includes all situations resulting in a vehicle and caravan folding together in an accidental skidding movement on the carriageway. - - - - - Includes all situations resulting in a vehicle and trailer folding together in an accidental skidding movement on the carriageway. - - - - - Multiple vehicles involved in a collision. - - - - - Includes all accidents involving three or more vehicles. - - - - - Includes all situations resulting in a spillage of oil on the carriageway. - - - - - Includes all situations resulting in the overturning of a heavy goods vehicle on the carriageway. - - - - - Includes all situations resulting in the overturning of a trailer. - - - - - Includes all situations resulting in the overturning of a vehicle (of unspecified type) on the carriageway. - - - - - Includes all accidents where one or more vehicles have collided with the rear of one or more other vehicles. - - - - - Includes all situations resulting from vehicles avoiding or being distracted by earlier accidents. - - - - - Includes all accidents believed to involve fatality or injury expected to require overnight hospitalisation. - - - - - Includes all accidents where one or more vehicles have collided with the side of one or more other vehicles. - - - - - Includes all accidents where one or more vehicles have left the roadway. - - - - - Includes all accidents where a vehicle has skidded and has come to rest not facing its intended line of travel. - - - - - Other than as defined in this enumeration. - - - - - - - Deliberate human action external to the traffic stream or roadway which could disrupt traffic. - - - - - - - Mobility of the activity. - - - - - - - - - - An area defined by reference to a predefined ALERT-C location table. - - - - - EBU country code. - - - - - Number allocated to an ALERT-C table in a country. Ref. EN ISO 14819-3 for the allocation of a location table number. - - - - - Version number associated with an ALERT-C table reference. - - - - - Area location defined by a specific Alert-C location. - - - - - - - - The direction of traffic flow along the road to which the information relates. - - - - - The direction of traffic flow to which the situation, traffic data or information is related. Positive is in the direction of coding of the road. - - - - - ALERT-C name of a direction e.g. Brussels -> Lille. - - - - - Indicates for circular routes (i.e. valid only for ring roads) the sense in which navigation should be made from the primary location to the secondary location, to avoid ambiguity. TRUE indicates positive RDS direction, i.e. direction of coding of road. - - - - - - - - The direction of traffic flow concerned by a situation or traffic data. In ALERT-C the positive (resp. negative) direction corresponds to the positive offset direction within the RDS location table. - - - - - Indicates that both directions of traffic flow are affected by the situation or relate to the traffic data. - - - - - The direction of traffic flow concerned by a situation or traffic data. In ALERT-C the negative direction corresponds to the negative offset direction within the RDS location table. - - - - - The direction of traffic flow concerned by a situation or traffic data. In ALERT-C the positive direction corresponds to the positive offset direction within the RDS location table. - - - - - Unknown direction. - - - - - - - A linear section along a road defined between two points on the road by reference to a pre-defined ALERT-C location table. - - - - - EBU country code. - - - - - Number allocated to an ALERT-C table in a country. Ref. EN ISO 14819-3 for the allocation of a location table number. - - - - - Version number associated with an ALERT-C table reference. - - - - - - - - A linear section along a road defined by reference to a linear section in a pre-defined ALERT-C location table. - - - - - - - - Linear location defined by a specific Alert-C location. - - - - - - - - - - Identification of a specific point, linear or area location in an ALERT-C location table. - - - - - Name of ALERT-C location. - - - - - Unique code within the ALERT-C location table which identifies the specific point, linear or area location. - - - - - - - - A positive integer number (between 1 and 63,487) which uniquely identifies a pre-defined Alert C location defined within an Alert-C table. - - - - - - A linear section along a road between two points, Primary and Secondary, which are pre-defined in an ALERT-C location table. Direction is FROM the Secondary point TO the Primary point, i.e. the Primary point is downstream of the Secondary point. - - - - - - - - - - - - - - - A single point on the road network defined by reference to a point in a pre-defined ALERT-C location table and which has an associated direction of traffic flow. - - - - - - - - - - - - - - The point (called Primary point) which is either a single point or at the downstream end of a linear road section. The point is specified by a reference to a point in a pre-defined ALERT-C location table. - - - - - - - - - The point (called Secondary point) which is at the upstream end of a linear road section. The point is specified by a reference to a point in a pre-defined ALERT-C location table. - - - - - - - - - A linear section along a road between two points, Primary and Secondary, which are pre-defined ALERT-C locations plus offset distance. Direction is FROM the Secondary point TO the Primary point, i.e. the Primary point is downstream of the Secondary point. - - - - - - - - - - - - - - - A single point on the road network defined by reference to a point in a pre-defined ALERT-C location table plus an offset distance and which has an associated direction of traffic flow. - - - - - - - - - - - - - - The point (called Primary point) which is either a single point or at the downstream end of a linear road section. The point is specified by a reference to a point in a pre-defined ALERT-C location table plus a non-negative offset distance. - - - - - - - - - - The point (called Secondary point) which is at the upstream end of a linear road section. The point is specified by a reference to a point in a pre-defined Alert-C location table plus a non-negative offset distance. - - - - - - - - - - A single point on the road network defined by reference to a pre-defined ALERT-C location table and which has an associated direction of traffic flow. - - - - - EBU country code. - - - - - Number allocated to an ALERT-C table in a country. Ref. EN ISO 14819-3 for the allocation of a location table number. - - - - - Version number associated with an ALERT-C table reference. - - - - - - - - An integer number representing an angle in whole degrees between 0 and 359. - - - - - - An obstruction on the road resulting from the presence of animals. - - - - - - - Indicates whether the identified animals are dead (immobile) or alive (potentially mobile). - - - - - Indicates the nature of animals present on or near the roadway. - - - - - - - - - - Types of animal presence. - - - - - Traffic may be disrupted due to animals on the roadway. - - - - - Traffic may be disrupted due to a herd of animals on the roadway. - - - - - Traffic may be disrupted due to large animals on the roadway. - - - - - - - A geographic or geometric defined area which may be qualified by height information to provide additional geospatial discrimination (e.g. for snow in an area but only above a certain altitude). - - - - - - - - - - - - - - The specification of the destination of a defined route or itinerary which is an area. - - - - - - - - - - - - - Types of areas of interest. - - - - - Area of the whole European continent. - - - - - Whole area of the specific country. - - - - - Area of countries which are neighbouring the one specified. - - - - - Non specified area. - - - - - Area of the local region. - - - - - - - Authority initiated operation or activity that could disrupt traffic. - - - - - - - Type of authority initiated operation or activity that could disrupt traffic. - - - - - - - - - - Types of authority operations. - - - - - An operation involving authorised investigation work connected to an earlier reported accident. - - - - - An operation where a bomb squad is in action to deal with suspected or actual explosive or incendiary devices which may cause disruption to traffic. - - - - - A situation, perceived or actual, relating to a civil emergency which could disrupt traffic. This includes large scale destruction, through events such as earthquakes, insurrection, and civil disobedience. - - - - - A permanent or temporary operation established by customs and excise authorities on or adjacent to the carriageway. - - - - - An operation involving the juridical reconstruction of events for the purposes of judicial or legal proceedings. - - - - - A permanent or temporary operation established on or adjacent to the carriageway for use by police or other authorities. - - - - - A temporary operation established on or adjacent to the carriageway by the police associated with an ongoing investigation. - - - - - A permanent or temporary operation established on or adjacent to the carriageway for use by the road operator, such as for survey or inspection purposes, but not for traffic management purposes. - - - - - A permanent or temporary operation established by authorities on or adjacent to the carriageway for the purpose of gathering statistics or other traffic related information. - - - - - An operation to transport one or more VIPs. - - - - - An authority activity of undefined type. - - - - - A permanent or temporary operation established on or adjacent to the carriageway for inspection of vehicles by authorities (e.g. vehicle safety checks and tachograph checks). - - - - - A permanent or temporary operation established on or adjacent to the carriageway for weighing of vehicles by authorities. - - - - - A permanent or temporary facility established by authorities on the carriageway for weighing vehicles while in motion. - - - - - Other than as defined in this enumeration. - - - - - - - The spacing details between the axle sets of an individual vehicle numbered from the front to the back of the vehicle. - - - - - The spacing interval, indicated by the axleSpacingSequenceIdentifier, between the axles of an individual vehicle from front to back of the vehicle. - - - - - Indicates the sequence of the interval between the axles of the individual vehicle from front to back (e.g. 1, 2, 3...). This cannot exceed (numberOfAxles -1) if the numberOfAxles is also given as part of the VehicleCharacteristics. - - - - - - - - Vehicle axles per hour. - - - - - - The weight details of a specific axle on the vehicle. - - - - - Indicates the position of the axle on the vehicle numbered from front to back (i.e. 1, 2, 3...). This cannot exceed the numberOfAxles if provided as part of VehicleCharacteristics. - - - - - The weight of the specific axle, indicated by the axleSequenceIdentifier, on the vehicle numbered from front to back of the vehicle. - - - - - The maximum permitted weight of this specific axle on the vehicle. - - - - - - - - Generic data value(s) of either measured or elaborated data. Where values of different type are given in a single instance the metadata contained in the BasicDataValue must be applicable to all, otherwise separate instances must be given. - - - - - The extent to which the value may be subject to error, measured as a percentage of the data value. - - - - - Method of computation which has been used to compute this data value. - - - - - Indication of whether the value is deemed to be faulty by the supplier, (true = faulty). If not present the data value is assumed to be ok. This may be used when automatic fault detection information relating to sensors is available. - - - - - The reason why the value is deemed to be faulty by the supplier. - - - - - The number of inputs detected but not completed during the sampling or measurement period; e.g. vehicles detected entering but not exiting the detection zone. - - - - - The number of input values used in the sampling or measurment period to determine the data value. - - - - - The time elapsed between the beginning and the end of the sampling or measurement period. This item may differ from the unit attribute; e.g. an hourly flow can be estimated from a 5-minute measurement period. - - - - - Coefficient required when a moving average is computed to give specific weights to the former average and the new data. A typical formula is, F being the smoothing factor: New average = (old average) F + (new data) (1 - F). - - - - - The standard deviation of the sample of input values from which this value was derived, measured in the units of the data value. - - - - - A measure of data quality assigned to the value by the supplier. 100% equates to ideal/perfect quality. The method of calculation is supplier specific and needs to be agreed between supplier and client. - - - - - Point in time at which this specific value has been computed or measured. - - - - - The location (e.g. the stretch of road or area) to which the data value is pertinent/relevant. This may be different from the location of the measurement equipment (i.e. the measurement site location). - - - - - - - - Boolean has the value space required to support the mathematical concept of binary-valued logic: {true, false}. - - - - - - Types of configuration/layout of a car park. - - - - - Parking is on multiple levels within a car park building. - - - - - Car parking facility is associated with a park and ride service. - - - - - Parking is on a single ground floor level. - - - - - Parking is on one or more floors below ground level. - - - - - - - Provides information on the status of one or more car parks. - - - - - - - The configuration/layout of a car park. - - - - - The identity of one or a group of car parks. - - - - - The percentage value of car parking spaces occupied. - - - - - Indicates the status of one or more specified car parks. - - - - - The rate at which vehicles are exiting the car park. - - - - - The rate at which vehicles are entering the car park. - - - - - Indicates the number of vacant parking spaces available in a specified parking area. - - - - - Number of currently occupied spaces. - - - - - The current queuing time (duration) for entering the car park. - - - - - Total number of car parking spaces. - - - - - - - - - - Collection of statuses which may be associated with car parks. - - - - - The specified car park is closed. - - - - - All car parks are full within a specified area. - - - - - The specified car parking facility is not operating normally. - - - - - A specified car park is completely occupied. - - - - - The status of the specified car park(s) is unknown. - - - - - Specified car parks have car-parking spaces available. - - - - - Multi level car parks are fully occupied. - - - - - Specified car parks are fully occupied. - - - - - No park and ride information will be available until the specified time. - - - - - No parking allowed until the specified time. - - - - - Car-parking information is not available until a specified time. - - - - - The parking restrictions that normally apply in the specified location have been temporarily lifted. - - - - - Specified car parks have 95% or greater occupancy. - - - - - Park and ride services are not operating until the specified time. - - - - - Park and ride services are operating until the specified time. - - - - - Parking restrictions, other than those that normally apply, are in force in a specified area. - - - - - - - List of descriptors identifying specific carriageway details. - - - - - On the connecting carriageway. - - - - - On the entry slip road. - - - - - On the exit slip road. - - - - - On the flyover, i.e. the section of road passing over another. - - - - - On the left hand feeder road. - - - - - On the left hand parallel carriageway. - - - - - On the main carriageway. - - - - - On the opposite carriageway. - - - - - On the adjacent parallel carriageway. - - - - - On the right hand feeder road. - - - - - On the right hand parallel carriageway. - - - - - On the adjacent service road. - - - - - On the slip roads. - - - - - On the underpass, i.e. the section of road passing under another. - - - - - - - Identification of the supplier's data catalogue in a data exchange context. - - - - - Identification of the supplier's data catalogue in a data exchange context. - - - - - - - - Contains details of the cause of a record within a situation - - - - - - - - Types of causes of situations which are not managed or off network. - - - - - Accident. - - - - - Traffic congestion. - - - - - An earlier accident. - - - - - An earlier event. - - - - - An earlier incident. - - - - - Failure of roadside equipment. - - - - - Excessive heat. - - - - - Frost. - - - - - Holiday traffic. - - - - - Failure of road infrastructure. - - - - - Large numbers of visitors. - - - - - Obstruction (of unspecified type) on the roadway. - - - - - An alert relating to dangerous levels of pollution. - - - - - Poor weather conditions. - - - - - Problems at the border crossing. - - - - - Problems at the customs post on the border. - - - - - Problems (of an unspecified nature) on the local roads. - - - - - Radioactive leak alert. - - - - - A roadside event (of unspecified nature) whether planned or not. - - - - - Drivers being distracted and turning to look at an accident or other roadside event. - - - - - A security incident. - - - - - Shear weight of traffic. - - - - - Technical problems. - - - - - A terrorist incident. - - - - - An alert relating to the release of toxic gases and/or particulates. - - - - - A vandalism incident. - - - - - Other than as defined in this enumeration. - - - - - - - List of flags to indicate what has changed in an exchage. - - - - - Catalogue has changed indicator. - - - - - Filter has changed indicator. - - - - - - - A free text comment with an optional date/time stamp that can be used by the operator to convey un-coded observations/information. - - - - - A free text comment that can be used by the operator to convey un-coded observations/information. - - - - - The date/time at which the comment was made. - - - - - - - - Logical comparison operations. - - - - - Logical comparison operator of "equal to". - - - - - Logical comparison operator of "greater than". - - - - - Logical comparison operator of "greater than or equal to". - - - - - Logical comparison operator of "less than". - - - - - Logical comparison operator of "less than or equal to". - - - - - - - Types of compliance. - - - - - Advisory compliance . - - - - - Mandatory compliance. - - - - - - - Types of computational methods used in deriving data values for data sets. - - - - - Arithmetic average of sample values based on a fixed number of samples. - - - - - Arithmetic average of sample values in a time period. - - - - - Harmonic average of sample values in a time period. - - - - - Median of sample values taken over a time period. - - - - - Moving average of sample values. - - - - - - - Concentration defined in grams per cubic centimetre. - - - - - - A measure of concentration defined in µg/m3 (microgrammes/cubic metre). - - - - - - A measure of traffic density defined in number of vehicles per kilometre of road. - - - - - - Any conditions which have the potential to degrade normal driving conditions. - - - - - - - Description of the driving conditions at the specified location. - - - - - - - - - - Values of confidentiality. - - - - - For internal use only of the recipient organisation. - - - - - No restriction on usage. - - - - - Restricted for use only by authorities. - - - - - Restricted for use only by authorities and traffic operators. - - - - - Restricted for use only by authorities, traffic operators and publishers (service providers). - - - - - Restricted for use only by authorities, traffic operators, publishers (service providers) and variable message signs. - - - - - - - Roadworks involving the construction of new infrastructure. - - - - - - - The type of construction work being performed. - - - - - - - - - - Types of works relating to construction. - - - - - Blasting or quarrying work at the specified location. - - - - - Construction work of a general nature at the specified location. - - - - - Demolition work associated with the construction work. - - - - - Road widening work at the specified location - - - - - - - List of countries. - - - - - Austria - - - - - Belgium - - - - - Bulgaria - - - - - Switzerland - - - - - Serbia and Montenegro - - - - - Cyprus - - - - - Czech Republic - - - - - Germany - - - - - Denmark - - - - - Estonia - - - - - Spain - - - - - Finland - - - - - Faroe Islands - - - - - France - - - - - Great Britain - - - - - Guernsey - - - - - Gibraltar - - - - - Greece - - - - - Croatia - - - - - Hungary - - - - - Ireland - - - - - Isle Of Man - - - - - Iceland - - - - - Italy - - - - - Jersey - - - - - Lichtenstein - - - - - Lithuania - - - - - Luxembourg - - - - - Latvia - - - - - Morocco - - - - - Monaco - - - - - Macedonia - - - - - Malta - - - - - Netherlands - - - - - Norway - - - - - Poland - - - - - Portugal - - - - - Romania - - - - - Sweden - - - - - Slovenia - - - - - Slovakia - - - - - San Marino - - - - - Turkey - - - - - Vatican City State - - - - - Other than as defined in this enumeration. - - - - - - - A volumetric measure defined in cubic metres. - - - - - - - The DATEX II logical model comprising exchange, content payload and management sub-models. - - - - - - - - - - - Types of dangerous goods regulations. - - - - - European agreement on the international carriage of dangerous goods on road. - - - - - Regulations covering the international transportation of dangerous goods issued by the International Air Transport Association and the International Civil Aviation Organisation. - - - - - Regulations regarding the transportation of dangerous goods on ocean-going vessels issued by the International Maritime Organisation. - - - - - International regulations concerning the international carriage of dangerous goods by rail. - - - - - - - A combination of integer-valued year, month, day, hour, minute properties, a decimal-valued second property and a timezone property from which it is possible to determine the local time, the equivalent UTC time and the timezone offset from UTC. - - - - - - Types of pictograms. - - - - - Advisory speed limit. - - - - - Blank or void. - - - - - Chains or snow tyres are recommended. - - - - - Cross wind. - - - - - The driving of vehicles less than X metres apart is prohibited. - - - - - End of advisory speed limit. - - - - - End of prohibition of overtaking. - - - - - End of prohibition of overtaking for goods vehicles. - - - - - End of mandatory speed limit. - - - - - Exit closed. - - - - - Fog. - - - - - Keep a safe distance. - - - - - Mandatory speed limit. - - - - - No entry. - - - - - No entry for goods vehicles. - - - - - No entry for vehicles exceeding X tonnes laden mass. - - - - - No entry for vehicles having a mass exceeding X tonnes on a single axle. - - - - - No entry for vehicles having an overall height exceeding X metres. - - - - - No entry for vehicles having an overall length exceeding X metres. - - - - - No entry for vehicles carrying dangerous goods. - - - - - Danger ahead. - - - - - Overtaking prohibited for goods vehicles. - - - - - Overtaking prohibited. - - - - - Road closed ahead. - - - - - Roadworks. - - - - - Slippery road. - - - - - Snow. - - - - - Snow types compulsory. - - - - - Traffic congestion and possible queues. - - - - - - - Days of the week. - - - - - Monday. - - - - - Tuesday. - - - - - Wednesday. - - - - - Thursday. - - - - - Friday. - - - - - Saturday. - - - - - Sunday. - - - - - - - Specification of periods defined by the intersection of days, weeks and months. - - - - - Applicable day of the week. "All days of the week" is expressed by non-inclusion of this attribute. - - - - - Applicable week of the month (1 to 5). "All weeks of the month" is expressed by non-inclusion of this attribute. - - - - - Applicable month of the year. "All months of the year" is expressed by non-inclusion of this attribute. - - - - - - - - Classifications of a delay banded by length (i.e. the additional travel time). - - - - - Negligible delay. - - - - - Delay up to ten minutes. - - - - - Delay between ten minutes and thirty minutes. - - - - - Delay between thirty minutes and one hour. - - - - - Delay between one hour and three hours. - - - - - Delay between three hours and six hours. - - - - - Delay longer than six hours. - - - - - - - The details of the delays being caused by the situation element defined in the situation record. It is recommended to only use one of the optional attributes to avoid confusion. - - - - - The time band within which the additional travel time due to adverse travel conditions of any kind falls, when compared to "normal conditions". - - - - - Coarse classification of the delay. - - - - - The value of the additional travel time due to adverse travel conditions of any kind, when compared to "normal conditions", given in seconds. - - - - - - - - Course classifications of a delay. - - - - - Delays on the road network as a result of any situation which causes hold-ups. - - - - - Delays on the road network whose predicted duration cannot be estimated. - - - - - Delays on the road network of unusual severity. - - - - - Delays on the road network of abnormally unusual severity. - - - - - - - Reasons for denial of a request. - - - - - Reason unknown. - - - - - Wrong catalogue specified. - - - - - Wrong filter specified. - - - - - Wrong order specified. - - - - - Wrong partner specified. - - - - - - - The specification of the destination of a defined route or itinerary. This may be either a location on a network or an area location. - - - - - - - - Cardinal direction points of the compass. - - - - - East. - - - - - East north east. - - - - - East south east. - - - - - North. - - - - - North east. - - - - - North north east. - - - - - North north west. - - - - - North west. - - - - - South. - - - - - South east. - - - - - South south east. - - - - - South south west. - - - - - South west. - - - - - West. - - - - - West north west. - - - - - West south west. - - - - - - - List of general directions of travel. - - - - - Anticlockwise direction of travel on a ring road. - - - - - Clockwise direction of travel on a ring road. - - - - - North bound direction of travel. - - - - - North east bound direction of travel. - - - - - East bound direction of travel. - - - - - South east bound direction of travel. - - - - - South bound direction of travel. - - - - - South west bound direction of travel. - - - - - West bound direction of travel. - - - - - North west bound direction of travel. - - - - - Heading towards town centre direction of travel. - - - - - Heading out of or away from the town centre direction of travel. - - - - - - - Deliberate human action of either a public disorder nature or of a situation alert type which could disrupt traffic. - - - - - - - Includes all situations of a public disorder type or of an alert type, with potential to disrupt traffic. - - - - - - - - - - Types of disturbance activities. - - - - - A situation relating to any threat from foreign air power. - - - - - An altercation (argument, dispute or fight) between two or more vehicle occupants. - - - - - A situation where an assault has taken place on one or more persons. - - - - - A situation where assets of one or more persons or authorities have been destroyed. - - - - - A situation where an attack on a group of people or properties has taken place. - - - - - A situation where an attack on a vehicle or its occupants has taken place. - - - - - A manned blockade or barrier across a road stopping vehicles passing. - - - - - An alert to a situation where suspected or actual explosive or incendiary devices may cause disruption to traffic. - - - - - A major gathering of people that could disrupt traffic. - - - - - A public protest with the potential to disrupt traffic. - - - - - A situation where a definite area is being cleared due to dangerous conditions or for security reasons. - - - - - A manned blockade of a road where only certain vehicles are allowed through. - - - - - As a form of protest, several vehicles are driving in a convoy at a low speed which is affecting the normal traffic flow. - - - - - A situation involving gunfire, perceived or actual, on or near the roadway through an act of terrorism or crime, which could disrupt traffic. - - - - - One or more occupants of a vehicle are seriously ill, possibly requiring specialist services or assistance. This may disrupt normal traffic flow. - - - - - A situation where people are walking together in large groups for a common purpose, with potential to disrupt traffic. - - - - - A situation of public disorder, with potential to disrupt traffic. - - - - - An alert to a radioactive leak which may endanger the public and hence may cause traffic disruption. - - - - - A situation of public disorder involving violent behaviour and/or destruction of property with the potential to disrupt traffic. - - - - - A situation resulting from any act of sabotage. - - - - - An official alert to a perceived or actual threat of crime or terrorism, which could disrupt traffic. - - - - - A situation related to a perceived or actual threat of crime or terrorism, which could disrupt traffic. - - - - - Attendees or sightseers to reported event(s) causing obstruction to access. - - - - - A situation resulting from industrial action that could disrupt traffic. - - - - - A situation related to a perceived or actual threat of terrorism, which could disrupt traffic. - - - - - A situation where assets of one or more persons or authorities have been stolen. - - - - - An alert to a toxic release of gases and/or particulates into the environment which may endanger the public and hence may cause traffic disruption. - - - - - An alert to a perceived or actual threat of an unspecified nature, which could disrupt traffic. - - - - - Other than as defined in this enumeration. - - - - - - - Types of the perceived driving conditions. - - - - - Current conditions are making driving impossible. - - - - - Driving conditions are hazardous due to environmental conditions. - - - - - Driving conditions are normal. - - - - - The roadway is passable to vehicles with driver care. - - - - - Driving conditions are unknown. - - - - - Driving conditions are very hazardous due to environmental conditions. - - - - - Driving conditions are consistent with those expected in winter. - - - - - Other than as defined in this enumeration. - - - - - - - An instance of data which is derived/computed from one or more measurements over a period of time. It may be a current value or a forecast value predicted from historical measurements. - - - - - Indication of whether this elaborated data is a forecast (true = forecast). - - - - - - - - - - - A publication containing one or more elaborated data sets. - - - - - - - The default value for the publication of whether the elaborated data is a forecast (true = forecast). - - - - - The default value for the publication of the time elapsed between the beginning and the end of the sampling or measurement period. This item may differ from the unit attribute; e.g. an hourly flow can be estimated from a 5-minute measurement period. - - - - - The default for the publication of the time at which the values have been computed/derived. - - - - - - - - - - - - - An obstruction on the road resulting from an environmental cause. - - - - - - - The depth of flooding or of snow on the road. - - - - - Characterization of an obstruction on the road resulting from an environmental cause. - - - - - - - - - - Types of environmental obstructions. - - - - - The road may be obstructed or partially obstructed due to snow slides. - - - - - The road may be obstructed or partially obstructed because of damage caused by an earthquake. - - - - - The road is obstructed or partially obstructed by one or more fallen trees. - - - - - Falling ice off trees, power lines or structures which may cause traffic disruption. - - - - - Falling light ice or snow off trees, power lines or structures which may cause traffic disruption. - - - - - The road may become quickly inundated by powerful floodwaters due to heavy rain nearby. - - - - - The road is obstructed or partially obstructed by flood water. - - - - - Traffic may be disrupted due to a forest fire adjacent to the roadway. - - - - - Traffic may be disrupted due to a grass fire adjacent to the roadway. - - - - - The road may be obstructed or partially obstructed due to landslides. - - - - - The road may be obstructed or partially obstructed due to mudslides. - - - - - The road is obstructed or partially obstructed by overflows from one or more sewers. - - - - - The road may be obstructed or partially obstructed due to fallen rocks. - - - - - Traffic may be disrupted due to a fire (other than a vehicle fire) adjacent to the roadway. - - - - - Smoke or fumes which may hinder driving conditions or distract drivers. - - - - - The road may be obstructed or partially obstructed by debris caused by strong winds. - - - - - The road surface has sunken or collapsed in places. - - - - - Other than as defined in this enumeration. - - - - - - - Equipment or system which is faulty, malfunctioning or not in a fully operational state that may be of interest or concern to road operators and road users. - - - - - - - Failure, malfunction or non operational condition of equipment or system. - - - - - The type of equipment or system which is faulty, malfunctioning or not in a fully operational state. - - - - - - - - - - Types of fault, malfunctioning or non operational conditions of equipment or systems. - - - - - Not working or functioning. - - - - - Out of service (usually for operational reasons). - - - - - Working incorrectly. - - - - - Working intermittently. - - - - - - - Types of equipment and systems used to support the operation of the road network. - - - - - Automated toll system. - - - - - Emergency roadside telephones. - - - - - Gallery lights. - - - - - Signs used to control lane usage (e.g. in tidal flow systems or hard shoulder running). - - - - - Level crossing (barriers and signals). - - - - - Matrix signs. These normally comprise a symbol display area surrounded by four lights (usually amber) which flash when a symbol is displayed. - - - - - Ramp control equipment. - - - - - Roadside communications system which is used by one or more roadside equipments or systems. - - - - - Roadside power system which is used by one or more roadside equipments or systems. - - - - - Signs used to control traffic speed. - - - - - Street or road lighting. - - - - - Temporary traffic lights. - - - - - Toll gates. - - - - - Sets of traffic lights. - - - - - Traffic signals. - - - - - Tunnel lights. - - - - - Tunnel ventilation system. - - - - - Variable message signs. - - - - - Other than as defined in this enumeration. - - - - - - - Details associated with the management of the exchange between the supplier and the client. - - - - - Indicates that either a filter or a catalogue has been changed. - - - - - In a data exchange process, an identifier of the organisation or group of organisations which receives information from the DATEX II supplier system. - - - - - Indicates that a data delivery is stopped for unplanned reasons, i.e. excluding the end of the order validity (attribute FIL) or the case when the filter expression is not met (attribute OOR). - - - - - Indicates the reason for the refusal of the requested exchange. - - - - - For "Client Pull" exchange mode (operating mode 3 - snapshot) it defines the date/time at which the snapshot was produced. - - - - - For "Client Pull" exchange mode (operating mode 3 - snapshot) it defines the date/time after which the snapshot is no longer considered valid. - - - - - Indicator that this exchange is due to "keep alive" functionality. - - - - - The type of request that has been made by the client on the supplier. - - - - - The type of the response that the supplier is returning to the requesting client. - - - - - Unique identifier of the client's subscription with the supplier. - - - - - - - - - - - - - - - - - - A location defined by reference to an external/other referencing system. - - - - - A code in the external referencing system which defines the location. - - - - - Identification of the external/other location referencing system. - - - - - - - - Filter indicators management information. - - - - - This attribute, set to true, indicates that the filter, for which a previous record version has been published, becomes inactive. - - - - - This attribute is set to true when a previous version of this record has been published and now, for this new record version, the record goes out of the filter range. - - - - - - - - Details of a supplier's filter in a data exchange context. - - - - - Indicates that a client defined filter has to be deleted. - - - - - Indicates that a client defined filter was either stored or deleted successfully. - - - - - The unique key identifier of a supplier applied filter. - - - - - - - - A floating point number whose value space consists of the values m × 2^e, where m is an integer whose absolute value is less than 2^24, and e is an integer between -149 and 104, inclusive. - - - - - - Type of fuel used by a vehicle. - - - - - Battery. - - - - - Biodiesel. - - - - - Diesel. - - - - - Diesel and battery hybrid. - - - - - Ethanol. - - - - - Hydrogen. - - - - - Liquid gas of any type including LPG. - - - - - Liquid petroleum gas. - - - - - Methane gas. - - - - - Petrol. - - - - - Petrol and battery hybrid. - - - - - - - General instruction that is issued by the network/road operator which is applicable to drivers and sometimes passengers. - - - - - - - General instruction that is issued by the network/road operator which is applicable to drivers and sometimes passengers. - - - - - - - - - - General instructions that may be issued to road users (specifically drivers and sometimes passengers) by an operator or operational system in support of network management activities. - - - - - Allow emergency vehicles to pass. - - - - - Approach with care. - - - - - Drivers are to avoid the area. - - - - - Close all windows and turn off heater and vents. - - - - - Cross junction with care. - - - - - Do not allow unnecessary gaps. - - - - - Do not leave your vehicle. - - - - - Do not throw out any burning objects. - - - - - Do not use navigation systems to determine routing. - - - - - Drive carefully. - - - - - Drive with extreme caution. - - - - - Flash your lights to warn oncoming traffic of hazard ahead. - - - - - Follow the vehicle in front, smoothly. - - - - - Increase normal following distance. - - - - - In emergency, wait for patrol service (either road operator or police patrol service). - - - - - Keep your distance. - - - - - Leave your vehicle and proceed to next safe place. - - - - - No naked flames. - - - - - No overtaking on the specified section of road. - - - - - No smoking. - - - - - No stopping. - - - - - No U-turns. - - - - - Observe signals. - - - - - Observe signs. - - - - - Only travel if absolutely necessary. - - - - - Overtake with care. - - - - - Pull over to the edge of the roadway. - - - - - Stop at next safe place. - - - - - Stop at next rest service area or car park. - - - - - Switch off engine. - - - - - Switch off mobile phones and two-way radios. - - - - - Test your brakes. - - - - - Use bus service. - - - - - Use fog lights. - - - - - Use hazard warning lights. - - - - - Use headlights. - - - - - Use rail service. - - - - - Use tram service. - - - - - Use underground service. - - - - - Wait for escort vehicle. - - - - - Other than as defined in this enumeration. - - - - - - - Network management action that is instigated either manually or automatically by the network/road operator. Compliance with any resulting control may be advisory or mandatory. - - - - - - - The type of traffic management action instigated by the network/road operator. - - - - - Type of person that is manually directing traffic (applicable if generalNetworkManagementType is set to "trafficBeingManuallyDirected"). - - - - - - - - - - Types of network management actions. - - - - - The bridge at the specified location has swung or lifted and is therefore temporarily closed to traffic. - - - - - A convoy service is in operation. - - - - - Signs are being put out before or around an obstacle to protect drivers. - - - - - Ramp metering is now active at the specified location. - - - - - Traffic is being controlled by temporary traffic lights (red-yellow-green or red-green). - - - - - Toll gates are open with no fee collection at the specified location. - - - - - Traffic is being manually directed. - - - - - Traffic in the specified direction is temporarily held up due to an unplanned event (e.g. for clearance of wreckage following an accident). - - - - - Other than as defined in this enumeration. - - - - - - - Any stationary or moving obstacle of a physical nature, other than of an animal, vehicle, environmental, or damaged equipment nature. - - - - - - - Characterization of the type of general obstruction. - - - - - - - - - - - A publication used to make level B extensions at the publication level. - - - - - - - The name of the generic publication. - - - - - - - - - - A generic SituationRecord for use when adding level B extensions at the SituationRecord level. - - - - - - - The name of the GenericSituationRecord. - - - - - - - - - - Gross weight characteristic of a vehicle. - - - - - The operator to be used in the vehicle characteristic comparison operation. - - - - - The gross weight of the vehicle and its load, including any trailers. - - - - - - - - A group of one or more physically separate locations. Locations maybe related, as in an itinerary or route, or maybe unrelated. It is not for identifying the same physical location using different referencing systems. - - - - - - - - A group of locations defined by reference to a predefined set of locations. - - - - - - - A reference to a predefined location set. - - - - - - - - - - A group of one or more physically separate locations which have no specific order. - - - - - - - Location contained in a non ordered group of locations. - - - - - - - - - - Group of people involved in the event having common characteristics and/or status. - - - - - The number of people of this group that are involved. - - - - - The injury status of the people involved. - - - - - The involvement role of the people. - - - - - The category of persons involved. - - - - - - - - Group of the vehicles involved having common characteristics and/or status. - - - - - The number of vehicles of this group that are involved. - - - - - Vehicle status. - - - - - - - - - Details of hazardous materials. - - - - - The chemical name of the hazardous substance carried by the vehicle. - - - - - The temperature at which the vapour from a hazardous substance will ignite in air. - - - - - The code defining the regulations, international or national, applicable for a means of transport. - - - - - The dangerous goods description code. - - - - - The version/revision number of date of issuance of the hazardous material code used. - - - - - A number giving additional hazard code classification of a goods item within the applicable dangerous goods regulation. - - - - - The identification of a transport emergency card giving advice for emergency actions. - - - - - A unique serial number assigned within the United Nations to substances and articles contained in a list of the dangerous goods most commonly carried. - - - - - The volume of dangerous goods on the vehicle(s) reported in a traffic/travel situation. - - - - - The weight of dangerous goods on the vehicle(s) reported in a traffic/travel situation. - - - - - - - - Management information relating to the data contained within a publication. - - - - - The extent of the geographic area to which the related information should be distributed. - - - - - The extent to which the related information may be circulated, according to the recipient type. Recipients must comply with this confidentiality statement. - - - - - The status of the related information (real, test, exercise ....). - - - - - This indicates the urgency with which a message recipient or Client should distribute the enclosed information. Urgency particularly relates to functions within RDS-TMC applications. - - - - - - - - Weight characteristic of the heaviest axle on the vehicle. - - - - - The operator to be used in the vehicle characteristic comparison operation. - - - - - The weight of the heaviest axle on the vehicle. - - - - - - - - Height characteristic of a vehicle. - - - - - The operator to be used in the vehicle characteristic comparison operation. - - - - - The height of the highest part, excluding antennae, of an individual vehicle above the road surface, in metres. - - - - - - - - Details of atmospheric humidity. - - - - - The amount of water vapour in the air, as a percentage of the amount of water vapour in saturated air at the same temperature and at atmospheric pressure. The measurement is taken between 1.5 and 2 m above the ground and behind a meteo screen. - - - - - - - - Measurements of atmospheric humidity. - - - - - - - - - - - - - An assessment of the impact that an event or operator action defined by the situation record has on the driving conditions. - - - - - The ratio of current capacity to the normal (free flow) road capacity in the defined direction, expressed as a percentage. Capacity is the maximum number of vehicles that can pass a specified point on the road, in unit time given the specified conditions. - - - - - The number of normally usable lanes on the carriageway which are now restricted either fully or partially (this may include the hard shoulder if it is normally available for operational use, e.g. in hard shoulder running schemes). - - - - - The number of usable lanes in the specified direction which remain fully operational (this may include the hard shoulder if it is being used as an operational lane). - - - - - The normal number of usable lanes in the specified direction that the carriageway has before reduction due to roadworks or traffic events. - - - - - The total width of the combined operational lanes in the specified direction. - - - - - The type of constriction to which traffic is subjected as a result of an event or operator action. - - - - - - - - - Measurements relating to individual vehicles. - - - - - - - - - - - - - - - Status of the related information (i.e. real, test or exercise). - - - - - The information is real. It is not a test or exercise. - - - - - The information is part of an exercise which is for testing security. - - - - - The information is part of an exercise which includes tests of associated technical subsystems. - - - - - The information is part of a test for checking the exchange of this type of information. - - - - - - - An obstruction on the road resulting from the failure or damage of infrastructure on, under, above or close to the road. - - - - - - - Characterization of an obstruction on the road resulting from the failure or damage of infrastructure on, under, above or close to the road. - - - - - - - - - - Types of infrastructure damage which may have an effect on the road network. - - - - - The road surface has sunken or collapsed in places due to burst pipes. - - - - - Traffic may be disrupted due to local flooding and/or subsidence because of a broken water main. - - - - - The road surface has sunken or collapsed in places due to sewer failure. - - - - - Damage to a bridge that may cause traffic disruption. - - - - - Damage to a crash barrier that may cause traffic disruption. - - - - - Damage to an elevated section of the carriageway over another carriageway that may cause traffic disruption. - - - - - Damage to a gallery that may cause traffic disruption. - - - - - Damage to a gantry above the roadway that may cause traffic disruption. - - - - - Damage to the road surface that may cause traffic disruption. - - - - - Damage to a tunnel that may cause traffic disruption. - - - - - Damage to a viaduct that may cause traffic disruption. - - - - - The road is obstructed or partially obstructed by one or more fallen power cables. - - - - - Traffic may be disrupted due to an explosion hazard from gas escaping in or near the roadway. - - - - - Weak bridge capable of carrying a reduced load, typically with a reduced weight limit restriction imposed. - - - - - Other than as defined in this enumeration. - - - - - - - Types of injury status of people. - - - - - Dead. - - - - - Injured requiring medical treatment. - - - - - Seriously injured requiring urgent hospital treatment. - - - - - Slightly injured requiring medical treatment. - - - - - Uninjured. - - - - - Injury status unknown. - - - - - - - A measure of the quantity of application of a substance to an area defined in kilogrammes per square metre. - - - - - - A measure of precipitation intensity defined in millimetres per hour. - - - - - - An identifier/name whose range is specific to the particular country. - - - - - ISO 3166-1 two character country code. - - - - - Identifier or name unique within the specified country. - - - - - - - - Involvement role of a person in event. - - - - - Cyclist. - - - - - Pedestrian. - - - - - Involvement role is unknown. - - - - - Vehicle driver. - - - - - Vehicle occupant (driver or passenger not specified). - - - - - Vehicle passenger. - - - - - Witness. - - - - - - - A group of one or more physically separate locations arranged as an ordered set that defines an itinerary or route. The index indicates the order. - - - - - - - Location contained in an itinerary (i.e. an ordered set of locations defining a route or itinerary). - - - - - - - - - - - - Destination of a route or final location in an itinerary. - - - - - - - - - - A measure of speed defined in kilometres per hour. - - - - - - List of descriptors identifying specific lanes. - - - - - In all lanes of the carriageway. - - - - - In the bus lane. - - - - - In the bus stop lane. - - - - - In the carpool lane. - - - - - On the central median separating the two directional carriageways of the highway. - - - - - In the crawler lane. - - - - - In the emergency lane. - - - - - In the escape lane. - - - - - In the express lane. - - - - - On the hard shoulder. - - - - - In the heavy vehicle lane. - - - - - In the first lane numbered from nearest the hard shoulder to central median. - - - - - In the second lane numbered from nearest the hard shoulder to central median. - - - - - In the third lane numbered from nearest the hard shoulder to central median. - - - - - In the fourth lane numbered from nearest the hard shoulder to central median. - - - - - In the fifth lane numbered from nearest the hard shoulder to central median. - - - - - In the sixth lane numbered from nearest the hard shoulder to central median. - - - - - In the seventh lane numbered from nearest the hard shoulder to central median. - - - - - In the eighth lane numbered from nearest the hard shoulder to central median. - - - - - In the ninth lane numbered from nearest the hard shoulder to central median. - - - - - In a lay-by. - - - - - In the left hand turning lane. - - - - - In the left lane. - - - - - In the local traffic lane. - - - - - In the middle lane. - - - - - In the opposing lanes. - - - - - In the overtaking lane. - - - - - In the right hand turning lane. - - - - - In the right lane. - - - - - In the lane dedicated for use during the rush (peak) hour. - - - - - In the area/lane reserved for passenger pick-up or set-down. - - - - - In the slow vehicle lane. - - - - - In the through traffic lane. - - - - - In the lane dedicated for use as a tidal flow lane. - - - - - In the turning lane. - - - - - On the verge. - - - - - - - A language datatype, identifies a specified language. - - - - - - Length characteristic of a vehicle. - - - - - The operator to be used in the vehicle characteristic comparison operation. - - - - - The overall distance between the front and back of an individual vehicle, including the length of any trailers, couplings, etc. - - - - - - - - Information relating to the life cycle management of the situation record. - - - - - Indication that all the element information previously sent is not considered valid, due to an incorrect content. - - - - - A binary attribute specifying whether the situation element is finished (true) or not (false). If finished (i.e. end is true) then the overallEndTime in the OverallPeriod class associated with the SituationRecord must be populated. - - - - - - - - A linear section along a single road with optional directionality defined between two points on the same road. - - - - - - - - - - - - - - - An identifiable instance of a linear traffic view at a single point in time relating to a linear section of road, comprising one or more traffic view records. - - - - - A reference to a predefined location which is of type linear. - - - - - - - - - - Types of load carried by a vehicle. - - - - - A load that exceeds normal vehicle dimensions in terms of height, length, width, gross vehicle weight or axle weight or any combination of these. Generally termed an "abnormal load". - - - - - Ammunition. - - - - - Chemicals of unspecified type. - - - - - Combustible materials of unspecified type. - - - - - Corrosive materials of unspecified type. - - - - - Debris of unspecified type. - - - - - No load. - - - - - Explosive materials of unspecified type. - - - - - A load of exceptional height. - - - - - A load of exceptional length. - - - - - A load of exceptional width. - - - - - Fuel of unspecified type. - - - - - Glass. - - - - - Any goods of a commercial nature. - - - - - Materials classed as being of a hazardous nature. - - - - - Liquid of an unspecified nature. - - - - - Livestock. - - - - - General materials of unspecified type. - - - - - Materials classed as being of a danger to people or animals. - - - - - Materials classed as being potentially dangerous to the environment. - - - - - Materials classed as being dangerous when exposed to water (e.g. materials which may react exothermically with water). - - - - - Oil. - - - - - Materials that present limited environmental or health risk. Non-combustible, non-toxic, non-corrosive. - - - - - Products or produce that will significantly degrade in quality or freshness over a short period of time. - - - - - Petrol or petroleum. - - - - - Pharmaceutical materials. - - - - - Materials that emit significant quantities of electro-magnetic radiation that may present a risk to people, animals or the environment. - - - - - Refuse. - - - - - Materials of a toxic nature which may damage the environment or endanger public health. - - - - - Vehicles of any type which are being transported. - - - - - Other than as defined in this enumeration. - - - - - - - The specification of a location either on a network (as a point or a linear location) or as an area. This may be provided in one or more referencing systems. - - - - - - A location which may be used by clients for visual display on user interfaces. - - - - - - - - A location defined by reference to a predefined location. - - - - - - - A reference to a predefined location. - - - - - - - - - - Location characteristics which override values set in the referenced measurement point. - - - - - Overrides for this single measured value instance the lane(s) defined for the set of measurements. - - - - - Indicates that the direction of flow for the measured lane(s) is the reverse of the normal direction of traffic flow. Default is "no", which indicates traffic flow is in the normal sense as defined by the referenced measurement point. - - - - - - - - List of descriptors to help to identify a specific location. - - - - - Around a bend in the road. - - - - - At a motorway interchange. - - - - - At rest area off the carriageway. - - - - - At service area. - - - - - At toll plaza. - - - - - At entry or exit of tunnel. - - - - - On the carriageway or lane which is inbound towards the centre of the town or city. - - - - - In gallery. - - - - - In the centre of the roadway. - - - - - In the opposite direction. - - - - - In tunnel. - - - - - On border crossing. - - - - - On bridge. - - - - - On connecting carriageway between two different roads or road sections. - - - - - On elevated section of road. - - - - - On flyover, i.e. on section of road over another road. - - - - - On ice road. - - - - - On level-crossing. - - - - - On road section linking two different roads. - - - - - On mountain pass. - - - - - On roundabout. - - - - - On the left of the roadway. - - - - - On the right of the roadway. - - - - - On the roadway. - - - - - On underground section of road. - - - - - On underpass, i.e. section of road which passes under another road. - - - - - On the carriageway or lane which is outbound from the centre of the town or city. - - - - - Over the crest of a hill. - - - - - On the main carriageway within a junction between exit slip road and entry slip road. - - - - - - - Types of maintenance vehicle actions associated with roadworks. - - - - - Maintenance vehicles are merging into the traffic flow creating a potential hazard for road users. - - - - - Maintenance vehicle(s) are spreading salt and/or grit. - - - - - Maintenance vehicles are slow moving. - - - - - Maintenance vehicle(s) are involved in the clearance of snow. - - - - - Maintenance vehicles are stopping to service equipments on or next to the roadway. - - - - - - - Details of the maintenance vehicles involved in the roadworks activity. - - - - - The number of maintenance vehicles associated with the roadworks activities at the specified location. - - - - - The actions of the maintenance vehicles associated with the roadworks activities. - - - - - - - - Roadworks involving the maintenance or installation of infrastructure. - - - - - - - The type of road maintenance or installation work at the specified location. - - - - - - - - - - A cause of this situation record which is managed by the publication creator, i.e. one which is represented by another situation record produced by the same publication creator. - - - - - - - A reference to another situation record produced by the same publication creator which defines a cause of the event defined here. - - - - - - - - - - Information relating to the management of the situation record. - - - - - - - - - - Types of matrix sign faults. - - - - - Comunications failure affecting matrix sign. - - - - - Incorrect aspect (face) is being displayed. - - - - - Not currently in service (e.g. intentionally disconnected or switched off during roadworks). - - - - - Power to matrix sign has failed. - - - - - Unable to clear down aspect displayed on matrix sign. - - - - - Unknown matrix sign fault. - - - - - Other than as defined in this enumeration. - - - - - - - Details of a matrix sign and its displayed aspect. - - - - - - - Indicates which sign aspect (face) is being displayed. - - - - - Indicates the type of fault which is being recorded for the specified matrix sign. - - - - - A reference to aid identification of the subject matrix sign. - - - - - - - - - - A publication containing one or more measurement data sets, each set being measured at a single measurement site. - - - - - - - A reference to a Measurement Site table. - - - - - - - - - - - - Types of measured or derived data. - - - - - Measured or derived humidity information. - - - - - Measured or derived individual vehicle measurements. - - - - - Measured or derived pollution information. - - - - - Measured or derived precipitation information. - - - - - Measured or derived pressure information. - - - - - Measured or derived radiation information. - - - - - Measured or derived road surface conditions information. - - - - - Measured or derived temperature information. - - - - - Measured or derived traffic concentration information. - - - - - Measured or derived traffic flow information. - - - - - Measured or derived traffic headway information. - - - - - Measured or derived traffic speed information. - - - - - Measured or derived traffic status information. - - - - - Measured or derived travel time information. - - - - - Measured or derived visibility information. - - - - - Measured or derived wind information. - - - - - - - Contains optional characteristics for the specific measured value (indexed to correspond with the defined characteristics of the measurement at the referenced measurement site) which override the static characteristics defined in the MeasurementSiteTable. - - - - - The type of equipment used to gather the raw information from which the data values are determined, e.g. 'loop', 'ANPR' (automatic number plate recognition) or 'urban traffic management system' (such as SCOOT). - - - - - - - - - - An identifiable single measurement site entry/record in the Measurement Site table. - - - - - The version of the measurement site record, managed by systems external to DATEX II. - - - - - The date/time that this version of the measurement site record was defined. This is managed by systems external to DATEX II. - - - - - Method of computation which is used to compute the measured value(s) at the measurement site. - - - - - The reference given to the measurement equipment at the site. - - - - - The type of equipment used to gather the raw information from which the data values are determined, e.g. 'loop', 'ANPR' (automatic number plate recognition) or 'urban traffic management system' (such as SCOOT). - - - - - Name of a measurement site. - - - - - The number of lanes over which the measured value is determined. - - - - - Identification of a measurement site used by the supplier or consumer systems. - - - - - Side of the road on which measurements are acquired, corresponding to the direction of the road. - - - - - Composition to the indexed measurement specific characteristics associated with the measurement site. The index uniquely associates the measurement characteristics with the corresponding indexed measurement values for the measurement site. - - - - - - - - - - - - - - - - - A Measurement Site Table comprising a number of sets of data, each describing the location from where a stream of measured data may be derived. Each location is known as a "measurement site" which can be a point, a linear road section or an area. - - - - - An alphanumeric identification for the measurement site table, possibly human readable. - - - - - The version of the measurement site table. - - - - - - - - - - A publication containing one or more Measurment Site Tables. - - - - - - - - - - - - - - Characteristics which are specific to an individual measurement type (specified in a known order) at the given measurement site. - - - - - The extent to which the value may be subject to error, measured as a percentage of the data value. - - - - - The time elapsed between the beginning and the end of the sampling or measurement period. This item may differ from the unit attribute; e.g. an hourly flow can be estimated from a 5-minute measurement period. - - - - - Coefficient required when a moving average is computed to give specific weights to the former average and the new data. A typical formula is, F being the smoothing factor: New average = (old average) F + (new data) (1 - F). - - - - - The lane to which the specific measurement at the measurement site relates. This overrides any lane specified for the measurement site as a whole. - - - - - The type of this specific measurement at the measurement site. - - - - - - - - - A measure of distance defined in metres in a floating point format. - - - - - - A measure of distance defined in metres in a non negative integer format. - - - - - - An indication of whether the associated instance of a SituationRecord is mobile (e.g. a march or parade moving along a road) or stationary. - - - - - An indication of whether the associated instance of a SituationRecord is mobile (e.g. a march or parade moving along a road) or stationary. - - - - - - - - Types of mobility relating to a situation element defined by a SituationReord. - - - - - The described element of a situation is moving. - - - - - The described element of a situation is stationary. - - - - - The mobility of the described element of a situation is unknown. - - - - - - - A list of the months of the year. - - - - - The month of January. - - - - - The month of February. - - - - - The month of March. - - - - - The month of April. - - - - - The month of May. - - - - - The month of June. - - - - - The month of July. - - - - - The month of August. - - - - - The month of September. - - - - - The month of October. - - - - - The month of November. - - - - - The month of December. - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - The specification of a location on a network (as a point or a linear location). - - - - - - - - - - - - - - Network management action which is applicable to the road network and its users. - - - - - - - Defines whether the network management instruction or the control resulting from a network management action is advisory or mandatory. - - - - - The ultimate traffic direction to which the network management is applicable. - - - - - The type of traffic to which the network management is applicable. - - - - - Places, in generic terms, at which the network management applies. - - - - - Defines whether the network management is initiated by an automatic system. - - - - - The characteristics of those vehicles for which the network management is applicable. - - - - - - - - - - A cause of this situation record which is not managed by the publication creator, i.e. one which is not represented by another situation record produced by the same publication creator. - - - - - - - Description of a cause which is not managed by the publication creator (e.g. an off network cause). - - - - - Indicates an external influence that may be the causation of components of a situation. - - - - - - - - - - An integer number whose value space is the set {0, 1, 2, ..., 2147483645, 2147483646, 2147483647}. - - - - - - Information about an event which is not on the road, but which may influence the behaviour of drivers and hence the characteristics of the traffic flow. - - - - - - - - - - - - Road surface conditions that are not related to the weather but which may affect driving conditions. - - - - - - - The type of road conditions which are not related to the weather. - - - - - - - - - - Types of road surface conditions which are not related to the weather. - - - - - Increased skid risk due to diesel on the road. - - - - - Increased skid risk due to leaves on road. - - - - - Increased skid risk and injury risk due to loose chippings on road. - - - - - Increased skid risk due to loose sand on road. - - - - - Increased skid risk due to mud on road. - - - - - Increased skid risk due to oil on road. - - - - - Increased skid risk due to petrol on road. - - - - - The road surface is damaged, severely rutted or potholed (i.e. it is in a poor state of repair). - - - - - The road surface is slippery due to an unspecified cause. - - - - - Other than as defined in this enumeration. - - - - - - - Number of axles characteristic of a vehicle. - - - - - The operator to be used in the vehicle characteristic comparison operation. - - - - - The total number of axles of an individual vehicle. - - - - - - - - Any stationary or moving obstacle of a physical nature (e.g. obstacles or vehicles from an earlier accident, shed loads on carriageway, rock fall, abnormal or dangerous loads, or animals etc.) which could disrupt or endanger traffic. - - - - - - - The number of obstructions that are partly or wholly blocking the road. - - - - - The mobility of the obstruction. - - - - - - - - - - Types of obstructions on the roadway. - - - - - An air crash adjacent to the roadway which may cause traffic disruption. - - - - - Children on the roadway which may cause traffic disruption. - - - - - Clearance work associated with an earlier traffic problem which may cause traffic disruption. - - - - - A crane is operating either on or adjacent to the road which may cause an obstruction to traffic. - - - - - Cyclists on the roadway which may cause traffic disruption. - - - - - Scattered fragments of wreckage or other material on the road. - - - - - A situation where an explosive or incendiary device has gone off. - - - - - A situation where there is danger of an explosion which may cause disruption to traffic. - - - - - Unspecified hazard(s) on the road which may cause traffic disruption. - - - - - Authorised and unauthorised vehicles are travelling at high speeds along the roadway. This may present a hazard to other vehicles. - - - - - House fire(s) near the road way resulting in smoke and driver distraction which may cause traffic disruption. - - - - - Incidents are chance occurrences involving vehicles from the traffic stream, which could present potential hazards to road users. This item excludes accidents. - - - - - Industrial accident near the roadway which may cause traffic disruption. - - - - - The road may be obstructed or traffic hindered due to objects laying on the roadway. - - - - - Objects falling from moving vehicles which are presenting a hazard to other vehicles. - - - - - Unspecified obstruction on the roadway which may cause traffic disruption. - - - - - People on the roadway which may cause traffic disruption. - - - - - A rail crash adjacent to the roadway which may cause traffic disruption. - - - - - A vehicle being driven without due care and attention is causing a hazard to other vehicles. - - - - - Work is being undertaken by emergency services which may present a hazard to road users. - - - - - Severe frost damage to the roadway causing an obstruction to traffic. - - - - - Spillage of transported goods on the roadway which may cause traffic disruption. - - - - - Snow and ice debris on the roadway which may present a hazard to road users. - - - - - Substances are spilling out from a moving vehicle which is presenting a hazard to other road users. - - - - - Includes all situations where a spillage has occurred on the roadway due to an earlier incident. - - - - - An accident area which has not been protected and may present a hazard to road users. - - - - - Other than as defined in this enumeration. - - - - - - - The non negative offset distance from the ALERT-C referenced point to the actual point. - - - - - The non negative offset distance from the ALERT-C referenced point to the actual point. The ALERT-C locations in the Primary and Secondary locations must always encompass the linear section being specified, thus Offset Distance is towards the other point. - - - - - - - - Modes of operation of the exchange. - - - - - "Subscription Management Mechanism" - a specialized operating mode to handle subscriptions. - - - - - "Publisher Push on Occurrence" operating mode. - - - - - "Publisher Push Periodic" operating mode. - - - - - "Client Pull" operating mode. - - - - - - - Actions that a traffic operator can decide to implement to prevent or help correct dangerous or poor driving conditions, including maintenance of the road infrastructure. - - - - - - - Indicates whether the actions to be undertaken by the operator are the result of an internal operation or external influence. - - - - - The status of the defined operator action. - - - - - - - - - - Origins of operator actions. - - - - - OPERATOR action originated externally to the authority which is taking the action. - - - - - OPERATOR action originated within the authority which is taking the action. - - - - - - - List of statuses associated with operator actions. - - - - - A request, either internal or external, has been received to implement an action. It has neither been approved nor has any activity yet been undertaken to implement the action. - - - - - The action has been approved by the recipient of the request but activity to implement the action has not yet commenced. - - - - - The action is in the process of being implemented. - - - - - The action is fully implemented. - - - - - The action has been rejected by the recipient of the request and hence is not implemented. - - - - - A request, either internal or external, has been received to terminate the action, but activity to terminate the action has not yet commenced. - - - - - The action is in the process of being terminated either because the action has reached the end of its validity period or because new circumstances have arisen and its termination has been requested, e.g. because of a traffic jam on the alternative route. - - - - - - - A continuous or discontinuous period of validity defined by overall bounding start and end times and the possible intersection of valid periods (potentially recurring) with the complement of exception periods (also potentially recurring). - - - - - Start of bounding period of validity defined by date and time. - - - - - End of bounding period of validity defined by date and time. - - - - - A single time period, a recurring time period or a set of different recurring time periods during which validity is true. - - - - - A single time period, a recurring time period or a set of different recurring time periods during which validity is false. - - - - - - - - Levels of severity of a situation as whole assessed by the impact that the situation may have on traffic flow as perceived by the supplier. - - - - - Perceived by supplier as being of the highest level. - - - - - Perceived by supplier as being of a high level. - - - - - Perceived by supplier as being of a medium level. - - - - - Perceived by supplier as being of a low level. - - - - - Perceived by supplier as being of the lowest discernible level. - - - - - Perceived by supplier as having a severity rating of none. - - - - - Perceived by supplier as being of an unknown level. - - - - - - - Passenger car units per hour. - - - - - - A payload publication of traffic related information or associated management information created at a specific point in time that can be exchanged via a DATEX II interface. - - - - - A description of the information which is to be found in the publications originating from the particular feed (URL). - - - - - A classification of the information which is to be found in the publications originating from the particular feed (URL). Different URLs from one source may be used to filter the information which is made available to clients (e.g. by type or location). - - - - - Date/time at which the payload publication was created. - - - - - - - - The default language used throughout the payload publications, specified by an ISO 639-2 3-alpha code. - - - - - - A measure of percentage. - - - - - - A continuous time period or a set of discontinuous time periods defined by the intersection of a set of criteria all within an overall delimiting interval. - - - - - Start of period. - - - - - End of a period. - - - - - The name of the period. - - - - - A recurring period of a day. - - - - - A recurring period defined in terms of days of the week, weeks of the month and months of the year. - - - - - - - - Categories of person. - - - - - Adult. - - - - - Child (age 4 to 17). - - - - - A member of the emergency services, other than the police. - - - - - A member of the fire service. - - - - - Infant (age 0 to 3). - - - - - A member of the medical service. - - - - - A member of the general public. - - - - - A member of the police force. - - - - - A politician. - - - - - A passenger on or from a public transport vehicle. - - - - - A sick person. - - - - - A traffic patrol officer of the road authority. - - - - - A member of the local traffic warden service. - - - - - A very important person. - - - - - - - List of types of places. - - - - - Around bends in the road. - - - - - At customs posts. - - - - - At high altitudes. - - - - - At toll plazas. - - - - - In galleries. - - - - - In low lying areas. - - - - - In roadworks areas. - - - - - In shaded areas. - - - - - In the city centre. - - - - - In the inner city areas. - - - - - In tunnels. - - - - - On bridges. - - - - - On elevated sections of the road. - - - - - On entering or leaving tunnels. - - - - - On entry into the country. - - - - - On flyover sections of the road, i.e. sections of the road which pass over another road. - - - - - On leaving the country. - - - - - On motorways. - - - - - On non motorways. - - - - - On roundabouts. - - - - - On slip roads. - - - - - On underground sections of the road. - - - - - On underpasses, i.e. sections of the road which pass under another road. - - - - - Over the crest of hills. - - - - - Other than as defined in this enumeration. - - - - - - - A single geospatial point. - - - - - - - - - - - - - - - - A single point defined only by a coordinate set with an optional bearing direction. - - - - - A bearing at the point measured in degrees (0 - 359). - - - - - - - - - A pair of coordinates defining the geodetic position of a single point using the European Terrestrial Reference System 1989 (ETRS89). - - - - - Latitude in decimal degrees using the European Terrestrial Reference System 1989 (ETRS89). - - - - - Longitude in decimal degrees using the European Terrestrial Reference System 1989 (ETRS89). - - - - - - - - The specification of the destination of a defined route or itinerary which is a point. - - - - - - - - - - - - - Types of pollutant that can be measured in the atmosphere. - - - - - Benzene, toluene or xylene. - - - - - Carbon monoxide. - - - - - Lead. - - - - - Methane. - - - - - Nitric oxide. - - - - - Nitrogen dioxide. - - - - - Nitrogen monoxide. - - - - - Nitrogen oxides. - - - - - Non-methane hydrocarbons. - - - - - Ozone. - - - - - Particulate matter which passes through a size-selective inlet with a 50% cut-off efficiency at an aerodynamic diameter of 10 µm (micrometres). - - - - - Polycyclic aromatic hydrocarbons. - - - - - Primary particulate particles. - - - - - Sulphur dioxide. - - - - - Total hydrocarbons, i.e. including methane and non-methane. - - - - - - - Measurements of atmospheric pollution. - - - - - - - - - - - - - Details of atmospheric pollution. - - - - - The average concentration of the pollutant in the air. - - - - - The type of pollutant in the air. - - - - - - - - Any environmental conditions which may be affecting the driving conditions on the road. - - - - - - - The type of environment condition which is affecting driving conditions. - - - - - - - - - - - - - - - - Types of poor environmental conditions. - - - - - Adverse weather conditions are affecting driving conditions. - - - - - Heavy snowfall in combination with strong winds, limiting visibility to 50m or less. - - - - - Dust blowing across the roadway causing significantly reduced visibility. - - - - - Fallen snow moving due to the forces of wind. - - - - - Strong cross winds across the direction of the roadway (e.g. on a ridge or bridge). - - - - - Large falling ice pellets or frozen rain capable of causing injury or damage to property. - - - - - Dense fog, limiting visibility to 50m or less. - - - - - Eclipse, either partial or full, of the sun causing low light levels during normal daylight period. - - - - - Abnormally low temperatures. - - - - - Abnormally high expected maximum temperature. - - - - - Fog, visibility more than 50m. - - - - - Fog, in conjunction with sub-zero air temperatures causing possible freezing of road surface. - - - - - Frost can be expected. - - - - - Winds between 60 km/h and 90 km/h. - - - - - Constantly varying winds, significant at times. - - - - - Falling ice pellets or frozen rain. - - - - - A thick coating of frost can be expected. - - - - - Heavy rainfall, limiting visibility to 50m or less. - - - - - Dense falling snow, limiting visibility to 50m or less. - - - - - Winds over 120 km/h. - - - - - Difficult visibility conditions created by low elevation sunlight. - - - - - Misty conditions impairing vision over 100m. - - - - - High concentrations of ozone are present. - - - - - Pollution of an unspecified nature. - - - - - Fog, in which intermittent areas of dense fog may be encountered. - - - - - Unspecified precipitation is falling on the area. - - - - - Rain, visibility more than 50m. - - - - - Falling rain is changing to snow. - - - - - Sand blowing across the roadway causing significantly reduced visibility. - - - - - Pollution from exhaust fumes has reached a level sufficient to cause concern. - - - - - Environmental warning of very poor air quality resulting from smog. - - - - - Light rain or intermittent rain. - - - - - Rain mingled with snow or hail. - - - - - Environmental warning of poor air quality resulting from smog. - - - - - Smoke drifting across the roadway causing significantly reduced visibility. - - - - - Falling snow is changing to rain. - - - - - Falling snow, visibility more than 50m. - - - - - Reduced visibility resulting from spray created by moving vehicles on a wet roadway. - - - - - Winds between 90 km/h and 120 km/h. - - - - - Constantly varying winds, strong at times. - - - - - Winds between 40 km/h and 60 km/h. - - - - - Large numbers of insects which create a hazard for road users through reduced visibility. - - - - - The temperature is falling significantly. - - - - - Electrical storms, generally with heavy rain. - - - - - Very violent, whirling windstorms affecting narrow strips of country. - - - - - Constantly varying winds, very strong at times. - - - - - Environmental conditions causing reduced visibility. - - - - - Falling snow in blizzard conditions resulting in very reduced visibility. - - - - - Heavy rain, sleet, hail and/or snow in combination with strong winds, limiting visibility to 50m or less. - - - - - - - Details of precipitation (rain, snow etc.). - - - - - The equivalent depth of the water layer resulting from precipitation or deposition on a non-porous horizontal surface. Non liquid precipitation are considered as melted in water. - - - - - The height of the precipitation received per unit time. - - - - - The type of precipitation which is affecting the driving conditions. - - - - - - - - Measurements of precipitation. - - - - - - - Indication of whether precipitation is present or not. True indicates there is no precipitation. - - - - - - - - - - - Types of precipitation. - - - - - Light, fine rain. - - - - - Freezing rain. - - - - - Small balls of ice and compacted snow. - - - - - Rain. - - - - - Wet snow mixed with rain. - - - - - Snow. - - - - - - - An identifiable instance of a single predefined location. - - - - - A name assigned to the predefined location (e.g. extracted out of the network operator's gazetteer). - - - - - - - - - - An identifiable instance of a single set of predefined locations. - - - - - A name assigned to the set of predefined locations. - - - - - The version of the predefined location set. - - - - - - - - - - A publication containing one or more sets of predefined locations. - - - - - - - - - - - - - - Levels of confidence that the sender has in the information, ordered {certain, probable, risk of}. - - - - - The source is completely certain of the occurrence of the situation record version content. - - - - - The source has a reasonably high level of confidence of the occurrence of the situation record version content. - - - - - The source has a moderate level of confidence of the occurrence of the situation record version content. - - - - - - - Organised public event which could disrupt traffic. - - - - - - - Type of public event which could disrupt traffic. - - - - - - - - - - Type of public event (Datex2 PublicEventTypeEnum and PublicEventType2Enum combined) - - - - - Unknown - - - - - Agricultural show or event which could disrupt traffic. - - - - - Air show or other aeronautical event which could disrupt traffic. - - - - - Art event that could disrupt traffic. - - - - - Athletics event that could disrupt traffic. - - - - - Beer festival that could disrupt traffic. - - - - - Ball game event that could disrupt traffic. - - - - - Baseball game event that could disrupt traffic. - - - - - Basketball game event that could disrupt traffic. - - - - - Bicycle race that could disrupt traffic. - - - - - Regatta (boat race event of sailing, powerboat or rowing) that could disrupt traffic. - - - - - Boat show which could disrupt traffic. - - - - - Boxing event that could disrupt traffic. - - - - - Bull fighting event that could disrupt traffic. - - - - - Formal or religious act, rite or ceremony that could disrupt traffic. - - - - - Commercial event which could disrupt traffic. - - - - - Concert event that could disrupt traffic. - - - - - Cricket match that could disrupt traffic. - - - - - Cultural event which could disrupt traffic. - - - - - Major display or trade show which could disrupt traffic. - - - - - Periodic (e.g. annual), often traditional, gathering for entertainment or trade promotion, which could disrupt traffic. - - - - - Celebratory event or series of events which could disrupt traffic. - - - - - Film festival that could disrupt traffic. - - - - - Film or TV making event which could disrupt traffic. - - - - - Fireworks display that could disrupt traffic. - - - - - Flower event that could disrupt traffic. - - - - - Food festival that could disrupt traffic. - - - - - Football match that could disrupt traffic. - - - - - Periodic (e.g. annual), often traditional, gathering for entertainment, which could disrupt traffic. - - - - - Gardening and/or flower show or event which could disrupt traffic. - - - - - Golf tournament event that could disrupt traffic. - - - - - Hockey game event that could disrupt traffic. - - - - - Horse race meeting that could disrupt traffic. - - - - - Large sporting event of an international nature that could disrupt traffic. - - - - - Significant organised event either on or near the roadway which could disrupt traffic. - - - - - Marathon, cross-country or road running event that could disrupt traffic. - - - - - Periodic (e.g. weekly) gathering for buying and selling, which could disrupt traffic. - - - - - Sports match of unspecified type that could disrupt traffic. - - - - - Motor show which could disrupt traffic. - - - - - Motor sport race meeting that could disrupt traffic. - - - - - Open air concert that could disrupt traffic. - - - - - Formal display or organised procession which could disrupt traffic. - - - - - An organised procession which could disrupt traffic. - - - - - Race meeting (other than horse or motor sport) that could disrupt traffic. - - - - - Rugby match that could disrupt traffic. - - - - - A series of significant organised events either on or near the roadway which could disrupt traffic. - - - - - Entertainment event that could disrupt traffic. - - - - - Horse showing jumping and tournament event that could disrupt traffic. - - - - - Sound and light show that could disrupt traffic. - - - - - Sports event of unspecified type that could disrupt traffic. - - - - - Public ceremony or visit of national or international significance which could disrupt traffic. - - - - - Street festival that could disrupt traffic. - - - - - Tennis tournament that could disrupt traffic. - - - - - Theatrical event that could disrupt traffic. - - - - - Sporting event or series of events of unspecified type lasting more than one day which could disrupt traffic. - - - - - A periodic (e.g. annual), often traditional, gathering for trade promotion, which could disrupt traffic. - - - - - Water sports meeting that could disrupt traffic. - - - - - Wine festival that could disrupt traffic. - - - - - Winter sports meeting or event (e.g. skiing, ski jumping, skating) that could disrupt traffic. - - - - - Other than as defined in this enumeration. - - - - - - - A reference to an identifiable object instance (e.g. a GUID reference). - - - - - - Directions of traffic flow relative to sequential numbering scheme of reference points. For reference points along a road the direction in which they are identified (by a sequential numbering scheme) is the positive direction. - - - - - Indicates that both directions of traffic flow are affected by the situation or relate to the traffic data. - - - - - Indicates that the direction of traffic flow affected by the situation or related to the traffic data is in the opposite sense to the ordering (by their sequential numbering scheme) of the marker posts. - - - - - Indicates that the direction of traffic flow affected by the situation or related to the traffic data is in the same sense as the ordering (by their sequential numbering scheme) of the marker posts. - - - - - Indicates that the direction of traffic flow affected by the situation or related to the traffic data is unknown. - - - - - - - Specification of the default value for traffic status on a set of predefined locations on the road network. Only when traffic status differs from this value at a location in the set need a value be sent. - - - - - A reference to a predefined location set. - - - - - The default value of traffic status that can be assumed to apply to the locations defined by the associated predefined location set. - - - - - - - - Levels of assessment of the traffic flow conditions relative to normally expected conditions at this date/time. - - - - - Traffic is very much heavier than normally expected at the specified location at this date/time. - - - - - Traffic is heavier than normally expected at the specified location at this date/time. - - - - - Traffic flow is normal at the specified location at this date/time. - - - - - Traffic is lighter than normally expected at the specified location at this date/time. - - - - - Traffic is very much lighter than normally expected at the specified location at this date/time. - - - - - - - Types of requests that may be made by a client on a supplier. - - - - - A request for the supplier's catalogue. - - - - - A request for the client's filter as currently stored by the supplier. - - - - - A request for current data. - - - - - A request for historical data, i.e. data which was valid within an historical time window. - - - - - A request for a client's subscription as currently held by a supplier. - - - - - - - Rerouting management action that is issued by the network/road operator. - - - - - - - Type of rerouting management action instigated by operator. - - - - - A description of the rerouting itinerary. - - - - - Indication of whether the rerouting is signed. - - - - - The specified entry on to another road at which the alternative route commences. - - - - - The specified exit from the normal route/road at which the alternative route commences. - - - - - The intersecting road or the junction at which the alternative route commences. - - - - - The definition of the alternative route (rerouting) specified as an ordered set of locations (itinerary) which may be specific to one or more defined destinations. - - - - - - - - - - Management actions relating to rerouting. - - - - - Do not follow diversion signs. - - - - - Rerouted traffic is not to use the specified entry onto the identified road to commence the alternative route. - - - - - Rerouted traffic is not to use the specified exit from the identified road to commence the alternative route. - - - - - Rerouted traffic is not to use the specified intersection or junction. - - - - - Rerouted traffic is to follow the diversion signs. - - - - - Rerouted traffic is to follow local diversion. - - - - - Rerouted traffic is to follow the special diversion markers. - - - - - Rerouted traffic is to use the specified entry onto the identified road to commence the alternative route. - - - - - Rerouted traffic is to use the specified exit from the identified road to commence the alternative route. - - - - - Rerouted traffic is to use the specified intersection or junction to commence the alternative route. - - - - - - - Types of response that a supplier can return to a requesting client. - - - - - An acknowledgement that the supplier has received and complied with the client's request. - - - - - A notification that the supplier has denied the client's request for a catalogue. - - - - - A notification that the supplier has denied the client's request for a filter. - - - - - A notification that the supplier has denied the client's request for a data. - - - - - A notification that the supplier has denied the client's request for a subscription. - - - - - - - Conditions of the road surface which may affect driving conditions. These may be related to the weather (e.g. ice, snow etc.) or to other conditions (e.g. oil, mud, leaves etc. on the road) - - - - - - - - - - - - Types of road maintenance. - - - - - Clearance work of an unspecified nature. - - - - - Controlled avalanche work. - - - - - Installation of new equipments or systems on or along-side the roadway. - - - - - Grass cutting work. - - - - - Maintenance of road, associated infrastructure or equipments. - - - - - Works which are overhead of the carriageway. - - - - - Repair work to road, associated infrastructure or equipments. - - - - - Work associated with relaying or renewal of worn-out road surface (pavement). - - - - - Striping and repainting of road markings, plus placement or replacement of reflecting studs (cats' eyes). - - - - - Road side work of an unspecified nature. - - - - - Roadworks are completed and are being cleared. - - - - - Road maintenance or improvement activity of an unspecified nature which may potentially cause traffic disruption. - - - - - Rock fall preventative maintenance. - - - - - Spreading of salt and / or grit on the road surface to prevent or melt snow or ice. - - - - - Snowploughs or other similar mechanical devices in use to clear snow from the road. - - - - - Tree and vegetation cutting work adjacent to the roadway. - - - - - Other than as defined in this enumeration. - - - - - - - Details of disruption to normal road operator services - - - - - - - The type of road operator service which is disrupted. - - - - - - - - - - Types of disruption to road operator services relevant to road users. - - - - - Emergency telephone number for use by public to report incidents is out of service. - - - - - Road information service telephone number is out of service. - - - - - No traffic officer patrol service is operating. - - - - - - - Road, carriageway or lane management action that is instigated by the network/road operator. - - - - - - - Type of road, carriageway or lane management action instigated by operator. - - - - - The minimum number of persons required in a vehicle in order for it to be allowed to transit the specified road section. - - - - - The carriageway which is the subject of the management action. - - - - - The lane which is the subject of the management action. - - - - - - - - - - Management actions relating to road, carriageway or lane usage. - - - - - Dedicated car pool lane(s) are in operation for vehicles carrying at least the specified number of occupants. - - - - - Carriageway closures are in operation at the specified location. - - - - - Clear a lane for emergency vehicles. - - - - - Clear a lane for snow ploughs and gritting vehicles. - - - - - The road is closed to vehicles with the specified characteristics or all, if none defined, for the duration of the winter. - - - - - Two-way traffic is temporarily sharing a single carriageway. - - - - - Do not use the specified lane(s) or carriageway(s). - - - - - The hard shoulder is open as an operational lane. - - - - - Road closures occur intermittently on the specified road in the specified direction for short durations. - - - - - Keep to the left. - - - - - Keep to the right. - - - - - Lane closures are in operation at the specified location for vehicles with the specified characteristics or all, if none defined, in the specified direction. - - - - - Lane deviations are in operation at the specified location. - - - - - Normal lane widths are temporarily reduced. - - - - - A new layout of lanes/carriageway has been implemented associated with roadworks. - - - - - Every night the road is closed to vehicles with the specified characteristics or all, if none defined, in the specified direction by decision of the appropriate authorities. - - - - - The road has been cleared of earlier reported problems. - - - - - The road is closed to vehicles with the specified characteristics or all, if none defined, in the specified direction. - - - - - Traffic officers or police are driving slowly in front of a queue of traffic to create a gap in the traffic to allow for clearance activities to take place in safety on the road ahead. - - - - - Dedicated rush (peak) hour lane(s) are in operation. - - - - - Traffic is being controlled to move in alternate single lines. This control may be undertaken by traffic lights or flagman. - - - - - Dedicated tidal flow lane(s) are in operation in the specified direction. - - - - - Traffic is being directed back down the opposite carriageway, possibly requiring the temporary removal of the central crash barrier. - - - - - The specified lane(s) or carriageway(s) may be used. The normal lane(s) or carriageway(s) restrictions are not currently in force. - - - - - Use the specified lane(s) or carriageway(s). - - - - - Vehicles are being stored on the roadway and/or at a rest area or service area at the specified location. - - - - - Other than as defined in this enumeration. - - - - - - - Details of road side assistance required or being given. - - - - - - - Indicates the nature of the road side assistance that will be, is or has been provided. - - - - - - - - - - Types of road side assistance. - - - - - Air ambulance assistance. - - - - - Bus passenger assistance. - - - - - Emergency services assistance. - - - - - First aid assistance. - - - - - Food delivery. - - - - - Helicopter rescue. - - - - - Vehicle repair assistance. - - - - - Vehicle recovery. - - - - - Other than as defined in this enumeration. - - - - - - - One of a sequence of roadside reference points along a road, normally spaced at regular intervals along each carriageway with a sequence of identification from a known starting point. - - - - - Roadside reference point identifier, unique on the specified road. - - - - - Identification of the road administration area which contains the reference point. - - - - - Name of a road. - - - - - Identifier/number of the road on which the reference point is located. - - - - - The direction at the reference point in terms of general destination direction. - - - - - The direction at the reference point relative to the sequence direction of the reference points along the road. - - - - - The distance in metres from the previous road reference point in the sequence indicated by the direction. - - - - - The distance in metres to the next road reference point in the sequence indicated by the direction. - - - - - Identification of whether the reference point is on an elevated section of carriageway or not (true = elevated section). This may distinguish it from a point having coincident latitude / longitude on a carriageway passing beneath the elevated section. - - - - - Description of the roadside reference point. - - - - - The distance of the roadside reference point from the starting point of the sequence on the road. - - - - - - - - A linear section along a single road defined between two points on the same road identified by roadside reference points. - - - - - - - - - - The point (called Primary point) which is at the downstream end of a linear road section. The point is identified by a roadside reference point. - - - - - - - - - The point (called Secondary point) which is at the upstream end of a linear road section. The point is identified by a roadside reference point. - - - - - - - - - Details of disruption to normal roadside services (e.g. specific services at a service areas). - - - - - - - The type of roadside service which is disrupted. - - - - - - - - - - Types of disruption to roadside services relevant to road users. - - - - - Bar closed. - - - - - There is a shortage of diesel at the specified location. - - - - - There is a shortage of fuel (of one or more types) at the specified location. - - - - - There is a shortage of liquid petroleum gas at the specified location. - - - - - There is a shortage of methane at the specified location. - - - - - There is no diesel available for heavy goods vehicles at the specified location. - - - - - There is no diesel available for light vehicles at the specified location. - - - - - There are no available public telephones at the specified location. - - - - - There are no available public toilet facilities at the specified location. - - - - - There are no available vehicle repair facilities at the specified location. - - - - - There is a shortage of petrol at the specified location. - - - - - The rest area at the specified location is busy. - - - - - The rest area at the specified location is closed. - - - - - The rest area at the specified location is close to capacity and motorists are advised to seek an alternative. - - - - - The service area at the specified location is close to capacity. - - - - - The service area at the specified location is closed. - - - - - The fuel station at the specified service area is closed. - - - - - The service area at the specified location is close to capacity and motorists are advised to seek an alternative. - - - - - The restaurant at the specified service area is closed. - - - - - Some commercial services are closed at the specified location. - - - - - There is a shortage of water at the specified location. - - - - - - - Measurements of road surface conditions which are related to the weather. - - - - - - - - - - - - - Measurements of the road surface condition which relate specifically to the weather. - - - - - Indicates the rate at which de-icing agents have been applied to the specified road. - - - - - Indicates the concentration of de-icing agent present in surface water on the specified road. - - - - - The measured depth of snow recorded on the road surface. - - - - - The road surface temperature down to which the surface is protected from freezing. - - - - - The temperature measured on the road surface. - - - - - Indicates the depth of standing water to be found on the road surface. - - - - - - - - Highway maintenance, installation and construction activities that may potentially affect traffic operations. - - - - - - - Indicates in general terms the expected duration of the roadworks. - - - - - Indicates in general terms the scale of the roadworks. - - - - - Indicates that the road section where the roadworks are located is under traffic or not under traffic. 'True' indicates the road is under traffic. - - - - - Indication of whether the roadworks are considered to be urgent. 'True' indicates they are urgent. - - - - - - - - - - - - - Expected durations of roadworks in general terms. - - - - - The roadworks are expected to last for a long term ( duration > 6 months) - - - - - The roadworks are expected to last for a medium term (1 month < duration < = 6 months). - - - - - The roadworks are expected to last for a short term ( duration < = 1 month) - - - - - - - Scales of roadworks in general terms. - - - - - The roadworks are of a major scale. - - - - - The roadworks are of a medium scale. - - - - - The roadworks are of a minor scale. - - - - - - - Seconds. - - - - - - Provides information on variable message and matrix signs and the information currently displayed. - - - - - - - Indicates the appropriate pictogram taken from the standardised DATEX pictogram list. - - - - - Indicates which pictogram list is referenced. - - - - - Indicates the chosen pictogram within the pictogram list indicated by the pictogram list entry. - - - - - The reason why the sign has been set. - - - - - The organisation or authority which set the sign. - - - - - A reference to indicate the electronic addess to aid identification of the subject sign. - - - - - The date/time at which the sign was last set. - - - - - - - - - - A measurement data set derived from a specific measurement site. - - - - - A reference to a measurement site defined in a Measurement Site table. - - - - - The time associated with the set of measurements. It may be the time of the beginning, the end or the middle of the measurement period. - - - - - Composition to the indexed measured value associated with the measurement site. The index uniquely associates the measurement value with the corresponding indexed measurement characteristics defined for the measurement site. - - - - - - - - - - - - - - - An identifiable instance of a traffic/travel situation comprising one or more traffic/travel circumstances which are linked by one or more causal relationships. Each traffic/travel circumstance is represented by a Situation Record. - - - - - The overall assessment of the impact (in terms of severity) that the situation as a whole is having, or will have, on the traffic flow as perceived by the supplier. - - - - - A reference to a related situation via its unique identifier. - - - - - Each situation may iterate through a series of versions during its life time. The situation version uniquely identifies the version of the situation. It is generated and used by systems external to DATEX II. - - - - - The date/time that this current version of the Situation was written into the database of the supplier which is involved in the data exchange. - - - - - - - - - - - A publication containing zero or more traffic/travel situations. - - - - - - - - - - - - - An identifiable instance of a single record/element within a situation. - - - - - A unique alphanumeric reference (either an external reference or GUID) of the SituationRecord object (the first version of the record) that was created by the original supplier. - - - - - The date/time that the SituationRecord object (the first version of the record) was created by the original supplier. - - - - - The date/time that the information represented by the current version of the SituationRecord was observed by the original (potentially external) source of the information. - - - - - Each record within a situation may iterate through a series of versions during its life time. The situation record version uniquely identifies the version of a particular record within a situation. It is generated and used by systems external to DATEX II. - - - - - The date/time that this current version of the SituationRecord was written into the database of the supplier which is involved in the data exchange. - - - - - The date/time that the current version of the Situation Record was written into the database of the original supplier in the supply chain. - - - - - The extent to which the related information may be circulated, according to the recipient type. Recipients must comply with this confidentiality statement. This overrides any confidentiality defined for the situation as a whole in the header information. - - - - - An assessment of the degree of likelihood that the reported event will occur. - - - - - - - - - A comment which may be freely distributed to the general public - - - - - A comment which should not be distributed to the general public. - - - - - - - - - - - - Details of the source from which the information was obtained. - - - - - ISO 3166-1 two character country code of the source of the information. - - - - - Identifier of the organisation or the traffic equipment which has produced the information relating to this version of the information. - - - - - The name of the organisation which has produced the information relating to this version of the information. - - - - - Information about the technology used for measuring the data or the method used for obtaining qualitative descriptions relating to this version of the information. - - - - - An indication as to whether the source deems the associated information to be reliable/correct. "True" indicates it is deemed reliable. - - - - - - - - Type of sources from which situation information may be derived. - - - - - A patrol of an automobile club. - - - - - A camera observation (either still or video camera). - - - - - An operator of freight vehicles. - - - - - A station dedicated to the monitoring of the road network by processing inductive loop information. - - - - - A station dedicated to the monitoring of the road network by processing infrared image information. - - - - - A station dedicated to the monitoring of the road network by processing microwave information. - - - - - See also 'microwaveMonitoringStation' - - - - - A caller using a mobile telephone (who may or may not be on the road network). - - - - - Emergency service patrols other than police. - - - - - See also 'nonPoliceEmergencyServicePatrol' - - - - - Other sources of information. - - - - - Personnel from a vehicle belonging to the road operator or authority or any emergency service, including authorised breakdown service organisations. - - - - - A police patrol. - - - - - A private breakdown service. - - - - - A utility organisation, either public or private. - - - - - A motorist who is an officially registered observer. - - - - - See also 'registeredMotoristObserver' - - - - - A road authority. - - - - - A patrol of the road operator or authority. - - - - - A caller who is using an emergency roadside telephone. - - - - - A spotter aircraft of an organisation specifically assigned to the monitoring of the traffic network. - - - - - A station, usually automatic, dedicated to the monitoring of the road network. - - - - - An operator of a transit service, e.g. bus link operator. - - - - - A specially equipped vehicle used to provide measurements. - - - - - A station dedicated to the monitoring of the road network by processing video image information. - - - - - - - Speed management action that is instigated by the network/road operator. - - - - - - - Type of speed management action instigated by operator. - - - - - Temporary limit defining the maximum advisory or mandatory speed of vehicles. - - - - - - - - - - Management actions relating to speed. - - - - - Automatic speed control measures are in place at the specified location, whereby speed limits are set by an automatic system which is triggered by traffic sensing equipment. - - - - - Do not slow down unnecessarily. - - - - - Observe speed limit. - - - - - Police speed checks are in operation. - - - - - Reduce your speed. - - - - - Other than as defined in this enumeration. - - - - - - - Details of percentage (from an observation set) of vehicles whose speeds fall below a stated value. - - - - - The percentage of vehicles from the observation set whose speeds fall below the stated speed (speedPercentile). - - - - - The speed below which the associated percentage of vehicles in the measurement set are travelling at. - - - - - - - - A character string whose value space is the set of finite-length sequences of characters. Every character has a corresponding Universal Character Set code point (as defined in ISO/IEC 10646), which is an integer. - - - - - - - - The subjects with which the roadworks are associated. - - - - - The subject type of the roadworks (i.e. on what the construction or maintenance work is being performed). - - - - - The number of subjects on which the roadworks (construction or maintenance) are being performed. - - - - - - - - Subject types of construction or maintenance work. - - - - - Bridge on, over or under the highway. - - - - - Buried cables under or along the highway. - - - - - Unspecified buried services on, under or along the highway. - - - - - Crash barrier. - - - - - Gallery. - - - - - Gantry over or above the roadway. - - - - - Gas mains. - - - - - Motorway or major road interchange. - - - - - Motorway or major road junction. - - - - - Level-crossing or associated equipment. - - - - - Road lighting system. - - - - - Equipment used for determining traffic measurements. - - - - - Installations along the roadway designed to reduce road noise in the surrounding environment. - - - - - Road. - - - - - Roadside drains. - - - - - Roadside embankment. - - - - - Roadside equipment. - - - - - Road signs. - - - - - Roundabout. - - - - - Toll gate. - - - - - Road tunnel. - - - - - Water main under or along the highway. - - - - - Other than as defined in this enumeration. - - - - - - - This item contains all information relating to a customer subscription. - - - - - Indicates that this subscription has to be deleted. - - - - - Value of the interval of data delivery in the "periodic" delivery mode. - - - - - The mode of operation of the exchange. - - - - - Gives the date/time at which the subscription becomes active. - - - - - The current state of the the client's subscription. - - - - - Gives the date/time at which the subscription expires. - - - - - The type of updates of situations requested by the client. - - - - - - - - - - - The state of a client's current subscription. - - - - - The client's subscription as registered with a supplier is currently active. - - - - - The client's subscription as registered with a supplier is currently suspended. - - - - - - - A collection of supplementary positional information which improves the precision of the location. - - - - - Indicates the section of carriageway to which the location relates. - - - - - Indicates whether the pedestrian footpath is the subject or part of the subject of the location. (True = footpath is subject) - - - - - Indicates the specific lane to which the location relates. - - - - - This indicates the length of road measured in metres affected by the associated traffic element. - - - - - Specifies a descriptor which helps to identify the specific location. - - - - - Indicates that the location is given with a precision which is better than the stated value in metres. - - - - - The sequential number of an exit/entrance ramp from a given location in a given direction (normally used to indicate a specific exit/entrance in a complex junction/intersection). - - - - - - - - The details of a DATEX II target client. - - - - - The IP address of a DATEX II target client. - - - - - The exchange protocol used between the supplier and the client. - - - - - - - - Details of atmospheric temperature. - - - - - The air temperature measured in the shade between 1.5 and 2 metres above ground level. - - - - - The temperature to which the air would have to cool (at constant pressure and water vapour content) in order to reach saturation. - - - - - The expected maximum temperature during the forecast period. - - - - - The expected minimum temperature during the forecast period. - - - - - - - - A measure of temperature defined in degrees Celsius. - - - - - - Measurements of atmospheric temperature. - - - - - - - - - - - - - An instant of time that recurs every day. The value space of time is the space of time of day values as defined in § 5.3 of [ISO 8601]. Specifically, it is a set of zero-duration daily time instances. - - - - - - Specification of a continuous period within a 24 hour period by times. - - - - - - - Start of time period. - - - - - End of time period. - - - - - - - - - - Specification of a continuous period of time within a 24 hour period. - - - - - - - - A measure of weight defined in metric tonnes. - - - - - - A descriptor for describing an area location. - - - - - - - The nature of the descriptor used to define the location under consideration (derived from the TPEG Loc table 03). - - - - - - - - - - A geographic or geometric area defined by a TPEG-Loc structure which may include height information for additional geospatial discrimination. - - - - - The type of TPEG location. - - - - - - - - - A collection of information providing descriptive references to locations using the TPEG-Loc location referencing approach. - - - - - A text string which describes or elaborates the location. - - - - - - - - A point on the road network which is framed between two other points on the same road. - - - - - - - The type of TPEG location. - - - - - A single non junction point on the road network which is framed between two other specified points on the road network. - - - - - The location at the down stream end of the section of road which frames the TPEGFramedPoint. - - - - - The location at the up stream end of the section of road which frames the TPEGFramedPoint. - - - - - - - - - - A geometric area defined by a centre point and a radius. - - - - - - - The radius of the geometric area identified. - - - - - Centre point of a circular geometric area. - - - - - Name of area. - - - - - - - - - - Height information which provides additional discrimination for the applicable area. - - - - - A measurement of height using TPEG-Loc location referencing. - - - - - A descriptive identification of relative height using TPEG-Loc location referencing. - - - - - - - - A descriptor for describing a junction by defining the intersecting roads. - - - - - - - The nature of the descriptor used to define the location under consideration (derived from the TPEG Loc table 03). - - - - - - - - - - A point on the road network which is a road junction point. - - - - - - - - A name which identifies a junction point on the road network - - - - - A descriptor for describing a junction by identifying the intersecting roads at a road junction. - - - - - A descriptive name which helps to identify the junction point. - - - - - - - - - - A descriptor for describing a point at a junction on a road network. - - - - - - - The nature of the descriptor used to define the location under consideration (derived from the TPEG Loc table 03). - - - - - - - - - - A linear section along a single road defined between two points on the same road by a TPEG-Loc structure. - - - - - The direction of traffic flow. - - - - - The type of TPEG location. - - - - - The location at the down stream end of the linear section of road. - - - - - The location at the up stream end of the linear section of road. - - - - - - - - Types of area. - - - - - A geographic or geometric large area. - - - - - Other than as defined in this enumeration. - - - - - - - Types of points on the road network framed by two other points on the same road. - - - - - A point on the road network framed by two other points on the same road. - - - - - - - Types of linear location. - - - - - A segment (or link) of the road network corresponding to the way in which the road operator has segmented the network. - - - - - - - Types of simple point. - - - - - An point on the road network at which one or more roads intersect. - - - - - A point on the road network which is not at a junction or intersection. - - - - - - - List of directions of travel. - - - - - All directions (where more than two are applicable) at this point on the road network. - - - - - Anti-clockwise. - - - - - Both directions that are applicable at this point on the road network. - - - - - Clockwise. - - - - - East bound general direction. - - - - - Inner ring direction. - - - - - North bound general direction. - - - - - North east bound general direction. - - - - - North west bound general direction. - - - - - Opposite direction to the normal direction of flow at this point on the road network. - - - - - Outer ring direction. - - - - - South bound general direction. - - - - - South east bound general direction. - - - - - South west bound general direction. - - - - - West bound general direction. - - - - - Direction is unknown. - - - - - Other than as defined in this enumeration. - - - - - - - Descriptors for describing area locations. - - - - - Name of an administrative area. - - - - - Reference name by which administrative area is known. - - - - - Name of an area. - - - - - Name of a county (administrative sub-division). - - - - - Name of a lake. - - - - - Name of a nation (e.g. Wales) which is a sub-division of a ISO recognised country. - - - - - Name of a police force control area. - - - - - Name of a geographic region. - - - - - Name of a sea. - - - - - Name of a town. - - - - - Other than as defined in this enumeration. - - - - - - - Descriptors for describing a junction by identifying the intersecting roads at a road junction. - - - - - The name of the road on which the junction point is located. - - - - - The name of the first intersecting road at the junction. - - - - - The name of the second intersecting road (if one exists) at the junction. - - - - - - - Descriptors for describing a point at a road junction. - - - - - Name of a road network junction where two or more roads join. - - - - - - - Descriptors other than junction names and road descriptors which can help to identify the location of points on the road network. - - - - - Name of an administrative area. - - - - - Reference name by which an administrative area is known. - - - - - Name of an airport. - - - - - Name of an area. - - - - - Name of a building. - - - - - Identifier of a bus stop on the road network. - - - - - Name of a bus stop on the road network. - - - - - Name of a canal. - - - - - Name of a county (administrative sub-division). - - - - - Name of a ferry port. - - - - - Name of a road network intersection. - - - - - Name of a lake. - - - - - Name of a road link. - - - - - Local name of a road link. - - - - - Name of a metro/underground station. - - - - - Name of a nation (e.g. Wales) which is a sub-division of a ISO recognised country. - - - - - Name of a point on the road network which is not at a junction or intersection. - - - - - Name of a parking facility. - - - - - Name of a specific point. - - - - - Name of a general point of interest. - - - - - Name of a railway station. - - - - - Name of a geographic region. - - - - - Name of a river. - - - - - Name of a sea. - - - - - Name of a service area on a road network. - - - - - Name of a river which is of a tidal nature. - - - - - Name of a town. - - - - - Other than as defined in this enumeration. - - - - - - - Types of height. - - - - - Height above specified location. - - - - - Height above mean sea high water level. - - - - - Height above street level. - - - - - At height of specified location. - - - - - At mean sea high water level. - - - - - At street level. - - - - - Height below specified location. - - - - - Height below mean sea high water level. - - - - - Height below street level. - - - - - Undefined height reference. - - - - - Unknown height reference. - - - - - Other than as defined in this enumeration. - - - - - - - An area defined by a well-known name. - - - - - - - Name of area. - - - - - - - - - - A point on the road network which is not a road junction point. - - - - - - - - A descriptive name which helps to identify the non junction point. At least one descriptor must identify the road on which the point is located, i.e. must be of type 'linkName' or 'localLinkName'. - - - - - - - - - - General descriptor for describing a point. - - - - - - - The nature of the descriptor used to define the location under consideration (derived from the TPEG Loc table 03). - - - - - - - - - - A point on the road network which is either a junction point or a non junction point. - - - - - - - - A descriptor for describing a point location. - - - - - - - - - - - - A single point on the road network defined by a TPEG-Loc structure and which has an associated direction of traffic flow. - - - - - The direction of traffic flow. - - - - - - - - A point on the road network which is not bounded by any other points on the road network. - - - - - - - The type of TPEG location. - - - - - A single point defined by a coordinate set and TPEG decriptors. - - - - - - - - - - Averaged measurements of traffic concentration. - - - - - - - An averaged measurement of the concentration of vehicles at the specified measurement site. - - - - - An averaged measurement of the percentage of time that a section of road at the specified measurement site is occuppied by vehicles. - - - - - - - - - - Types of constriction to which traffic is subjected as a result of an unplanned event. - - - - - The carriageway is totally obstructed in the specified direction due to an unplanned event. - - - - - The carriageway is partially obstructed in the specified direction due to an unplanned event. - - - - - One or more lanes is totally obstructed in the specified direction due to an unplanned event. - - - - - One or more lanes is partially obstructed in the specified direction due to an unplanned event. - - - - - The road is totally obstructed, for all vehicles in both directions, due to an unplanned event. - - - - - The road is partially obstructed in both directions due to an unplanned event. - - - - - - - An event which is not planned by the traffic operator, which is affecting, or has the potential to affect traffic flow. - - - - - - - - - - - - Averaged measurements of traffic flow rates. - - - - - - - An averaged measurement of flow rate defined in terms of the number of vehicle axles passing the specified measurement site. - - - - - An averaged measurement of flow rate defined in terms of the number of passenger car units passing the specified measurement site. - - - - - An averaged measurement of the percentage of long vehicles contained in the traffic flow at the specified measurement site. - - - - - An averaged measurement of flow rate defined in terms of the number of vehicles passing the specified measurement site. - - - - - - - - - - A collection of terms for describing the characteristics of traffic flow. - - - - - Traffic flow is of an irregular nature, subject to sudden changes in rates. - - - - - Traffic flow is smooth. - - - - - Traffic flow is of a stop and go nature with queues forming and ending continuously on the specified section of road. - - - - - Traffic is blocked at the specified location and in the specified direction due to an unplanned event. - - - - - - - Averaged measurements of traffic headway, i.e. the distance or time interval between vehicles. - - - - - - - The average distance between the front (respectively back) of this vehicle and the front (respectively back) of the preceding vehicle, averaged for all vehicles within a defined measurement period at the specified measurement site. - - - - - The average time gap between the front (respectively back) of this vehicle and the front (respectively back) of the preceding vehicle, averaged for all vehicles within a defined measurement period at the specified measurement site. - - - - - - - - - - Averaged measurements of traffic speed. - - - - - - - An averaged measurement of the speed of vehicles at the specified measurement site. - - - - - - - - - - - List of terms used to describe traffic conditions. - - - - - Traffic in the specified direction is completely congested, effectively at a standstill, making driving impossible. - - - - - Traffic in the specified direction is congested making driving very slow and difficult. - - - - - Traffic in the specified direction is heavier than usual making driving conditions more difficult than normal. - - - - - Traffic in the specified direction is free flowing. - - - - - Traffic conditions are unknown. - - - - - - - The status of traffic conditions on a specific section or at a specific point on the road network. - - - - - - - Status of traffic conditions on the identified section of road in the specified direction. - - - - - A characterization of the trend in the traffic conditions at the specified location and direction. - - - - - - - - - - List of terms used to describe the trend in traffic conditions. - - - - - Traffic conditions are changing from free-flow to heavy or slow service levels. Queues may also be expected. - - - - - Traffic conditions are changing from heavy or slow service levels to free-flow. - - - - - Traffic conditions are currently stable. - - - - - The trend of traffic conditions is currently unknown. - - - - - - - Types of traffic, mostly classified by its destination type. - - - - - Traffic destined for local access only. - - - - - Traffic destined for the airport. - - - - - Traffic destined for airport arrivals. - - - - - Traffic destined for airport departures. - - - - - Traffic destined for the ferry service. - - - - - Traffic destined for the rail service. - - - - - Traffic heading towards holiday destinations. - - - - - Traffic heading towards local destinations. - - - - - Traffic heading towards destinations which are a long distance away. - - - - - Traffic heading towards local regional destinations. - - - - - Local residents only traffic. - - - - - Traffic which is not for local access, i.e. traffic not destined for local town, city or built up area but for transit though the area. - - - - - Traffic heading towards local visitor attraction. - - - - - - - Measured or derived values relating to traffic or individual vehicle movements on a specific section or at a specific point on the road network. - - - - - - - Used to define the vehicle characteristics to which the TrafficValue is applicable primarily in Elaborated Data Publications, but may also be used in Measured Data Publications to override vehicle characteristics defined for the measurement site. - - - - - - - - - - An identifiable instance of a traffic view at a single point in time relating to a predefined location set, comprising one or more linear traffic views each of which comprise one or more traffic view records. - - - - - The time to which the traffic view relates, i.e. the instance in time at which the traffic view was taken (comparable to taking a photograph). - - - - - A reference to a predefined location set. - - - - - - - - - - A publication containing one or more traffic views. - - - - - - - - - - - - - - An identifiable instance of a single record within a traffic view which shall comprise at most one instance of each of the following: OperatorAction, TrafficElement, ElaboratedData and CCTVImages. - - - - - A number identifying the sequence of the record within the set of records which comprise the traffic view. - - - - - - - - - - - - - The availability of transit services and information relating to their departures. This is limited to those transit services which are of direct relevance to road users, e.g. connecting rail or ferry services. - - - - - - - Indicates the stated termination point of the transit journey. - - - - - Indicates the stated starting point of the transit journey. - - - - - Indicates a transit service journey number. - - - - - Information about transit services. - - - - - The type of transit service to which the information relates. - - - - - Indicates the timetabled departure time of a transit service for a specified location. - - - - - - - - - - Types of public transport information. - - - - - Public transport, park-and-ride, rail or bus services will be cancelled until the specified time. - - - - - The specified service is delayed due to bad weather. - - - - - The specified service is delayed due to the need for repairs. - - - - - The specified public transport service will be delayed until further notice. - - - - - The departure of the specified ferry service is delayed due to flotsam. - - - - - The departure of the specified service is on schedule. - - - - - The ferry service has been replaced by an ice road. - - - - - A shuttle service is operating at no charge between specified locations until the specified time. - - - - - The information service relating to the specified transport system is not currently available. - - - - - The specified service is subject to irregular delays. - - - - - The load capacity for the specified service has been changed. - - - - - Long vehicles are subject to restrictions on the specified service. - - - - - The specified service is subject to delays. - - - - - The specified service is subject to delays whose predicted duration cannot be estimated accurately. - - - - - The departure of the specified service is fully booked. - - - - - The specified service is not operating until the specified time. - - - - - The specified service is not operating but an alternative service is available. - - - - - The specified service has been suspended until the specified time. - - - - - The specified service has been cancelled. - - - - - A shuttle service is operating between the specified locations until the specified time. - - - - - The timetable for the specified service is subject to temporary changes. - - - - - Other than as defined in this enumeration. - - - - - - - Types of transport services available to the general public. - - - - - Air service. - - - - - Bus service. - - - - - Ferry service. - - - - - Hydrofoil service. - - - - - Rail service. - - - - - Tram service. - - - - - Underground or metro service. - - - - - - - List of terms used to describe the trend in travel times. - - - - - Travel times are decreasing. - - - - - Travel times are increasing. - - - - - Travel times are stable. - - - - - - - List of ways in which travel times are derived. - - - - - Travel time is derived from the best out of a monitored sample. - - - - - Travel time is an automated estimate. - - - - - Travel time is derived from instantaneous measurements. - - - - - Travel time is reconstituted from other measurements. - - - - - - - Derived/computed travel time information relating to a specific group of locations. - - - - - - - Travel time between the defined locations in the specified direction. - - - - - The current trend in the travel time between the defined locations in the specified direction.. - - - - - Indication of the way in which the travel time is derived. - - - - - The free flow speed expected under ideal conditions, corresponding to the freeFlowTravelTime. - - - - - The travel time which would be expected under ideal free flow conditions. - - - - - The travel time which is expected for the given period (e.g. date/time, holiday status etc.) and any known quasi-static conditions (e.g. long term roadworks). This value is derived from historical analysis. - - - - - Vehicle type. - - - - - - - - - - The types of updates of situations that may be requested by a client. - - - - - The client has currently requested that all situation elements are sent when one or more component elements are updated. - - - - - The client has currently requested that only the individual elements of a situation that have changed are sent when updated. - - - - - The client has requested that all situations and their elements which are valid at the time of request be sent together, i.e. a snapshot in time of all valid situations. - - - - - - - Degrees of urgency that a receiving client should associate with the disseminate of the information contained in the publication. - - - - - Dissemination of the information is extremely urgent. - - - - - Dissemination of the information is urgent. - - - - - Dissemination of the information is of normal urgency. - - - - - - - A Uniform Resource Locator (URL) address comprising a compact string of characters for a resource available on the Internet. - - - - - - Details of a Uniform Resource Locator (URL) address pointing to a resource available on the Internet from where further relevant information may be obtained. - - - - - A Uniform Resource Locator (URL) address pointing to a resource available on the Internet from where further relevant information may be obtained. - - - - - Description of the relevant information available on the Internet from the URL link. - - - - - Details of the type of relevant information available on the Internet from the URL link. - - - - - - - - Types of URL links. - - - - - URL link to a pdf document. - - - - - URL link to an html page. - - - - - URL link to an image. - - - - - URL link to an RSS feed. - - - - - URL link to a video stream. - - - - - URL link to a voice stream. - - - - - Other than as defined in this enumeration. - - - - - - - Specification of validity, either explicitly or by a validity time period specification which may be discontinuous. - - - - - Specification of validity, either explicitly overriding the validity time specification or confirming it. - - - - - The activity or action described by the SituationRecord is still in progress, overrunning its planned duration as indicated in a previous version of this record. - - - - - A specification of periods of validity defined by overall bounding start and end times and the possible intersection of valid periods with exception periods (exception periods overriding valid periods). - - - - - - - - Values of validity status that can be assigned to a described event, action or item. - - - - - The described event, action or item is currently active regardless of the definition of the validity time specification. - - - - - The described event, action or item is currently suspended, that is inactive, regardless of the definition of the validity time specification. - - - - - The validity status of the described event, action or item is in accordance with the definition of the validity time specification. - - - - - - - Details of a variable message sign and its displayed information. - - - - - - - The maximum number of characters in each row on the variable message sign (for fixed font signs). - - - - - The maximum number of rows of characters on the variable message sign (for fixed font signs). - - - - - Indicates the type of fault which is being recorded for the specified variable message sign. - - - - - A reference to aid identification of the subject Variable Message Sign. - - - - - A free-text field containing a single displayed legend row on the specific variable message sign. - - - - - Indicates the display characteristics of the specific variable message sign. - - - - - - - - - - Details of an individual vehicle. - - - - - The colour of the vehicle. - - - - - Specification of the country in which the vehicle is registered. The code is the 2-alpha code as given in EN ISO 3166-1 which is updated by the ISO 3166 Maintenance Agency. - - - - - A vehicle identification number (VIN) comprising 17 characters that is based on either ISO 3779 or ISO 3780 and uniquely identifies the individual vehicle. This is normally securely attached to the vehicle chassis. - - - - - Indicates the stated manufacturer of the vehicle i.e. Ford. - - - - - Indicates the model (or range name) of the vehicle i.e. Ford Mondeo. - - - - - An identifier or code displayed on a vehicle registration plate attached to the vehicle used for official identification purposes. The registration identifier is numeric or alphanumeric and is unique within the issuing authority's region. - - - - - Vehicle status. - - - - - - The spacing between axles on the vehicles. - - - - - The weight details relating to a specific axle on the vehicle. - - - - - Details of hazardous goods carried by the vehicle. - - - - - - - - The characteristics of a vehicle, e.g. lorry of gross weight greater than 30 tonnes. - - - - - The type of fuel used by the vehicle. - - - - - The type of load carried by the vehicle, especially in respect of hazardous loads. - - - - - The type of equipment in use or on board the vehicle. - - - - - Vehicle type. - - - - - The type of usage of the vehicle (i.e. for what purpose is the vehicle being used). - - - - - - - - - - - - - - Sets of measured times relating to an individual vehicle derived from a detector at the specified measurement site. - - - - - The time of the arrival of an individual vehicle in a detection zone. - - - - - The time when an individual vehicle leaves a detection zone. - - - - - The time elapsed between an individual vehicle entering a detection zone and exiting the same detection zone as detected by entry and exit sensors. - - - - - The time during which a vehicle activates a presence sensor. - - - - - The time interval between the arrival of this vehicle's front at a point on the roadway, and that of the departure of the rear of the preceding one. - - - - - The measured time interval between this vehicle's arrival at (or departure from) a point on the roadway, and that of the preceding one. - - - - - - - - Types of vehicle equipment in use or on board. - - - - - Vehicle not using snow chains. - - - - - Vehicle not using either snow tyres or snow chains. - - - - - Vehicle using snow chains. - - - - - Vehicle using snow tyres. - - - - - Vehicle using snow tyres or snow chains. - - - - - Vehicle which is not carrying on board snow tyres or chains. - - - - - - - The measured individual vehicle distance headway, i.e.the distance between this vehicle and the preceding vehicle). - - - - - The measured distance between the front of this vehicle and the rear of the preceding one, in metres at the specified measurement site. - - - - - The measured distance between the front (respectively back) of this vehicle and the front (respectively back) of the preceding vehicle at the specified measurement site. - - - - - - - - An obstruction on the road caused by one or more vehicles. - - - - - - - Characterization of an obstruction on the road caused by one or more vehicles. - - - - - The obstructing vehicle. - - - - - - - - - - Types of obstructions involving vehicles. - - - - - Abandoned vehicle(s) on the roadway which may cause traffic disruption. - - - - - Vehicle(s) carrying exceptional load(s) which may cause traffic disruption. - - - - - Broken down passenger vehicle(s) on the carriageway which may cause traffic disruption. - - - - - Broken down heavy lorry/lorries on the carriageway which may cause traffic disruption. - - - - - Broken down vehicle(s) on the carriageway which may cause traffic disruption. - - - - - A group of vehicles moving together in formation which may cause traffic disruption. - - - - - Damaged vehicle(s) on the carriageway which may cause traffic disruption. - - - - - Dangerous slow moving vehicles which may cause traffic disruption. - - - - - Emergency service vehicles on the roadway in response to an emergency situation. - - - - - Emergency service vehicles progressing at high speed along the roadway in response to or en route from an emergency situation. - - - - - A vehicle of length greater than that normally allowed which may cause traffic disruption. - - - - - A group of military vehicles moving together in formation which may cause traffic disruption. - - - - - Vehicles of height greater than normally allowed which may cause traffic disruption. - - - - - Vehicles not normally permitted on the highway are present which may cause traffic disruption. - - - - - Salting and gritting vehicles are in use which may cause traffic disruption. - - - - - Slow moving vehicles undertaking maintenance work may pose a hazard to other vehicles on the carriageway. - - - - - A vehicle travelling at well below normal highway speeds which may cause traffic disruption. - - - - - Snowploughs are in use which may cause traffic disruption. - - - - - Tracked vehicles are in use which may cause traffic disruption. - - - - - Vehicles without lights are in use which may present a hazard to road users. - - - - - A vehicle is or has been on fire and may cause traffic disruption. - - - - - Vehicles carrying materials of a hazardous nature are present and these could expose road users to additional hazards. - - - - - A vehicle is experiencing difficulties (e.g. manoeuvring or propulsion difficulties) which may cause traffic disruption. - - - - - A vehicle is travelling the wrong way along a divided highway (i.e. on the wrong side). - - - - - One or more vehicles are stuck (i.e. unable to move) due to environmental conditions such as a snow drift or severe icy road. - - - - - A vehicle is stuck under a bridge. - - - - - An over-height vehicle which may present a hazard to road users. - - - - - A vehicle of width greater than that normally allowed which may cause traffic disruption. - - - - - Other than as defined in this enumeration. - - - - - - - Measurement of individual vehicle speed. - - - - - The measured speed of the individual vehicle at the specified measurement site. - - - - - - - - Vehicles per hour. - - - - - - The status of a vehicle. - - - - - Abandoned vehicle. - - - - - Broken down vehicle (i.e. it is immobile due to mechanical breakdown). - - - - - Burnt out vehicle, but fire is extinguished. - - - - - Vehicle is damaged following an incident or collision. It may or may not be able to move by itself. - - - - - Vehicle is damaged following an incident or collision. It is immobilized and therefore needs assistance to be moved. - - - - - Vehicle is on fire. - - - - - - - Types of vehicle. - - - - - Vehicle of any type. - - - - - Articulated vehicle. - - - - - Bicycle. - - - - - Bus. - - - - - Car. - - - - - Caravan. - - - - - Car or light vehicle. - - - - - Car towing a caravan. - - - - - Car towing a trailer. - - - - - Four wheel drive vehicle. - - - - - High sided vehicle. - - - - - Lorry of any type. - - - - - Moped (a two wheeled motor vehicle characterized by a small engine typically less than 50cc and by normally having pedals). - - - - - Motorcycle. - - - - - Three wheeled vehicle comprising a motorcycle with an attached side car. - - - - - Motor scooter (a two wheeled motor vehicle characterized by a step-through frame and small diameter wheels). - - - - - Vehicle with large tank for carrying bulk liquids. - - - - - Three wheeled vehicle of unspecified type. - - - - - Trailer. - - - - - Tram. - - - - - Two wheeled vehicle of unspecified type. - - - - - Van. - - - - - Vehicle with catalytic converter. - - - - - Vehicle without catalytic converter. - - - - - Vehicle (of unspecified type) towing a caravan. - - - - - Vehicle (of unspecified type) towing a trailer. - - - - - Vehicle with even numbered registration plate. - - - - - Vehicle with odd numbered registration plate. - - - - - Other than as defined in this enumeration. - - - - - - - Types of usage of a vehicle. - - - - - Vehicle used for agricultural purposes. - - - - - Vehicle which is limited to non-private usage or public transport usage. - - - - - Vehicle used by the emergency services. - - - - - Vehicle used by the military. - - - - - Vehicle used for non-commercial or private purposes. - - - - - Vehicle used as part of a patrol service, e.g. road operator or automobile association patrol vehicle. - - - - - Vehicle used to provide a recovery service. - - - - - Vehicle used for road maintenance or construction work purposes. - - - - - Vehicle used by the road operator. - - - - - Vehicle used to provide an authorised taxi service. - - - - - - - Details of atmospheric visibility. - - - - - The minimum distance, measured or estimated, beyond which drivers may be unable to clearly see a vehicle or an obstacle. - - - - - - - - Measurements of atmospheric visibility. - - - - - - - - - - - - - Types of variable message sign faults. - - - - - Comunications failure affecting VMS. - - - - - Incorrect message is being displayed. - - - - - Incorrect pictogram is being displayed. - - - - - Not currently in service (e.g. intentionally disconnected or switched off during roadworks). - - - - - Power to VMS has failed. - - - - - Unable to clear down information displayed on VMS. - - - - - Unknown VMS fault. - - - - - Other than as defined in this enumeration. - - - - - - - Type of variable message sign. - - - - - A colour graphic display. - - - - - A sign implementing fixed messages which are selected by electromechanical means. - - - - - A monochrome graphic display. - - - - - Other than as defined in this enumeration. - - - - - - - Road surface conditions that are related to the weather which may affect the driving conditions, such as ice, snow or water. - - - - - - - The type of road surface condition that is related to the weather which is affecting the driving conditions. - - - - - - - - - - - Types of road surface conditions which are related to the weather. - - - - - Severe skid risk due to black ice (i.e. clear ice, which is impossible or very difficult to see). - - - - - Deep snow on the roadway. - - - - - The road surface is dry. - - - - - The wet road surface is subject to freezing. - - - - - The pavements for pedestrians are subject to freezing. - - - - - Severe skid risk due to rain falling on sub-zero temperature road surface and freezing. - - - - - Fresh snow (with little or no traffic yet) on the roadway. - - - - - Increased skid risk due to ice (of any kind). - - - - - Ice is building up on the roadway causing a serious skid hazard. - - - - - Ice on the road frozen in the form of wheel tracks. - - - - - Severe skid risk due to icy patches (i.e. intermittent ice on roadway). - - - - - Powdery snow on the road which is subject to being blown by the wind. - - - - - Conditions for pedestrians are consistent with those normally expected in winter. - - - - - Packed snow (heavily trafficked) on the roadway. - - - - - The road surface is melting, or has melted due to abnormally high temperatures. - - - - - The road surface is slippery due to bad weather conditions. - - - - - Increased skid risk due to melting snow (slush) on road. - - - - - Melting snow (slush) on the roadway is formed into wheel tracks. - - - - - Snow drifting is in progress or patches of deep snow are present due to earlier drifting. - - - - - Snow is on the pedestrian pavement. - - - - - Snow is lying on the road surface. - - - - - Water is resting on the roadway which provides an increased hazard to vehicles. - - - - - Road surface is wet. - - - - - Increased skid risk due to partly thawed, wet road with packed snow and ice, or rain falling on packed snow and ice. - - - - - Partly thawed, wet pedestrian pavement with packed snow and ice, or rain falling on packed snow and ice. - - - - - Other than as defined in this enumeration. - - - - - - - Measured or derived values relating to the weather at a specific location. - - - - - - - - - - - - Weeks of the month. - - - - - First week of the month. - - - - - Second week of the month. - - - - - Third week of the month. - - - - - Fourth week of the month. - - - - - Fifth week of the month (at most only 3 days and non in February when not a leap year). - - - - - - - Width characteristic of a vehicle. - - - - - The operator to be used in the vehicle characteristic comparison operation. - - - - - The maximum width of an individual vehicle, in metres. - - - - - - - - Wind conditions on the road. - - - - - The maximum wind speed in a measurement period of 10 minutes. - - - - - The average direction from which the wind blows, in terms of a bearing measured in degrees (0 - 359). - - - - - The average direction from which the wind blows, in terms of points of the compass. - - - - - The height in metres above the road surface at which the wind is measured. - - - - - The wind speed averaged over at least 10 minutes, measured at a default height of10 metres (meteo standard) above the road surface, unless measurement height is specified. - - - - - - - - Measurements of wind conditions. - - - - - - - - - - - - - Winter driving management action that is instigated by the network/road operator. - - - - - - - Type of winter equipment management action instigated by operator. - - - - - - - - - - Instructions relating to the use of winter equipment. - - - - - Do not use stud tyres. - - - - - Use snow chains. - - - - - Use snow chains or snow tyres. - - - - - Use snow tyres. - - - - - The carrying of winter equipment (snow chains and/or snow tyres) is required. - - - - - Other than as defined in this enumeration. - - - - + + + A traffic condition which is not normal. + + + + + + + A characterization of the nature of abnormal traffic flow, i.e. specifically relating to the nature of the traffic movement. + + + + + The number of vehicles waiting in a queue. + + + + + The length of a queue or the average length of queues in separate lanes due to a situation. + + + + + Assessment of the traffic flow conditions relative to normally expected conditions at this date/time. + + + + + A characterization of the traffic flow. + + + + + A characterization of the trend in the traffic conditions at the specified location and direction. + + + + + + + + + + Collection of descriptive terms for abnormal traffic conditions specifically relating to the nature of the traffic movement. + + + + + Traffic is stationary, or very near stationary, at the specified location (i.e. average speed is less than 10% of its free-flow level). + + + + + Traffic is queuing at the specified location, although there is still some traffic movement (i.e. average speed is between 10% and 25% of its free-flow level). + + + + + Traffic is slow moving at the specified location, but not yet forming queues (i.e. average speed is between 25% and 75% of its free-flow level). + + + + + Traffic is heavy at the specified location (i.e. average speed is between 75% and 90% of its free-flow level). + + + + + There are abnormal traffic conditions of an unspecified nature at the specified location. + + + + + Other than as defined in this enumeration. + + + + + + + Accidents are events where one or more vehicles are involved in collisions or in leaving the roadway. These include collisions between vehicles or with other road users or obstacles. + + + + + + + A descriptor indicating the most significant factor causing an accident. + + + + + A characterization of the nature of the accident. + + + + + The total number of people that are involved. + + + + + The total number of vehicles that are involved. + + + + + The vehicle involved in the accident. + + + + + + + + + + + + Collection of the type of accident causes. + + + + + Avoidance of obstacles on the roadway. + + + + + Driver distraction. + + + + + Driver under the influence of drugs. + + + + + Driver illness. + + + + + Loss of vehicle control due to excessive vehicle speed. + + + + + Driver abilities reduced due to driving under the influence of alcohol. Alcohol levels above nationally accepted limit. + + + + + Excessive tiredness of the driver. + + + + + A driving manoeuvre which was not permitted. + + + + + Limited or impaired visibility. + + + + + Not keeping a safe distance from the vehicle in front. + + + + + Driving on the wrong side of the road. + + + + + Pedestrian in the roadway. + + + + + Not keeping to lane. + + + + + Poor judgement when merging at an entry or exit point of a carriageway or junction. + + + + + Poor road surface condition. + + + + + Poor road surface adherence. + + + + + Undisclosed cause. + + + + + Unknown cause. + + + + + Malfunction or failure of vehicle function. + + + + + Other than as defined in this enumeration. + + + + + + + Collection of descriptive terms for types of accidents. + + + + + Accidents are situations in which one or more vehicles lose control and do not recover. They include collisions between vehicle(s) or other road user(s), between vehicle(s) and fixed obstacle(s), or they result from a vehicle running off the road. + + + + + Includes all accidents involving at least one bicycle. + + + + + Includes all accidents involving at least one passenger vehicle. + + + + + Includes all accidents involving at least one vehicle believed to be carrying materials, which could present an additional hazard to road users. + + + + + Includes all accidents involving at least one heavy goods vehicle. + + + + + Includes all accidents involving at least one mass transit vehicle. + + + + + Includes all accidents involving at least one moped. + + + + + Includes all accidents involving at least one motorcycle. + + + + + Accident involving radioactive material. + + + + + Includes all accidents involving collision with a train. + + + + + Includes all situations resulting in a spillage of chemicals on the carriageway. + + + + + Collision of vehicle with another object of unspecified type. + + + + + Collision of vehicle with one or more animals. + + + + + Collision of vehicle with an object of a stationary nature. + + + + + Collision of vehicle with one or more pedestrians. + + + + + An earlier reported accident that is causing disruption to traffic or is resulting in further accidents. + + + + + Includes all situations resulting in a spillage of fuel on the carriageway. + + + + + Collision of vehicle with another vehicle head on. + + + + + Collision of vehicle with another vehicle either head on or sideways. + + + + + Includes all situations resulting in a heavy goods vehicle folding together in an accidental skidding movement on the carriageway. + + + + + Includes all situations resulting in a vehicle and caravan folding together in an accidental skidding movement on the carriageway. + + + + + Includes all situations resulting in a vehicle and trailer folding together in an accidental skidding movement on the carriageway. + + + + + Multiple vehicles involved in a collision. + + + + + Includes all accidents involving three or more vehicles. + + + + + Includes all situations resulting in a spillage of oil on the carriageway. + + + + + Includes all situations resulting in the overturning of a heavy goods vehicle on the carriageway. + + + + + Includes all situations resulting in the overturning of a trailer. + + + + + Includes all situations resulting in the overturning of a vehicle (of unspecified type) on the carriageway. + + + + + Includes all accidents where one or more vehicles have collided with the rear of one or more other vehicles. + + + + + Includes all situations resulting from vehicles avoiding or being distracted by earlier accidents. + + + + + Includes all accidents believed to involve fatality or injury expected to require overnight hospitalisation. + + + + + Includes all accidents where one or more vehicles have collided with the side of one or more other vehicles. + + + + + Includes all accidents where one or more vehicles have left the roadway. + + + + + Includes all accidents where a vehicle has skidded and has come to rest not facing its intended line of travel. + + + + + Other than as defined in this enumeration. + + + + + + + Deliberate human action external to the traffic stream or roadway which could disrupt traffic. + + + + + + + Mobility of the activity. + + + + + + + + + + An area defined by reference to a predefined ALERT-C location table. + + + + + EBU country code. + + + + + Number allocated to an ALERT-C table in a country. Ref. EN ISO 14819-3 for the allocation of a location table number. + + + + + Version number associated with an ALERT-C table reference. + + + + + Area location defined by a specific Alert-C location. + + + + + + + + The direction of traffic flow along the road to which the information relates. + + + + + The direction of traffic flow to which the situation, traffic data or information is related. Positive is in the direction of coding of the road. + + + + + ALERT-C name of a direction e.g. Brussels -> Lille. + + + + + Indicates for circular routes (i.e. valid only for ring roads) the sense in which navigation should be made from the primary location to the secondary location, to avoid ambiguity. TRUE indicates positive RDS direction, i.e. direction of coding of road. + + + + + + + + The direction of traffic flow concerned by a situation or traffic data. In ALERT-C the positive (resp. negative) direction corresponds to the positive offset direction within the RDS location table. + + + + + Indicates that both directions of traffic flow are affected by the situation or relate to the traffic data. + + + + + The direction of traffic flow concerned by a situation or traffic data. In ALERT-C the negative direction corresponds to the negative offset direction within the RDS location table. + + + + + The direction of traffic flow concerned by a situation or traffic data. In ALERT-C the positive direction corresponds to the positive offset direction within the RDS location table. + + + + + Unknown direction. + + + + + + + A linear section along a road defined between two points on the road by reference to a pre-defined ALERT-C location table. + + + + + EBU country code. + + + + + Number allocated to an ALERT-C table in a country. Ref. EN ISO 14819-3 for the allocation of a location table number. + + + + + Version number associated with an ALERT-C table reference. + + + + + + + + A linear section along a road defined by reference to a linear section in a pre-defined ALERT-C location table. + + + + + + + + Linear location defined by a specific Alert-C location. + + + + + + + + + + Identification of a specific point, linear or area location in an ALERT-C location table. + + + + + Name of ALERT-C location. + + + + + Unique code within the ALERT-C location table which identifies the specific point, linear or area location. + + + + + + + + A positive integer number (between 1 and 63,487) which uniquely identifies a pre-defined Alert C location defined within an Alert-C table. + + + + + + A linear section along a road between two points, Primary and Secondary, which are pre-defined in an ALERT-C location table. Direction is FROM the Secondary point TO the Primary point, i.e. the Primary point is downstream of the Secondary point. + + + + + + + + + + + + + + + A single point on the road network defined by reference to a point in a pre-defined ALERT-C location table and which has an associated direction of traffic flow. + + + + + + + + + + + + + + The point (called Primary point) which is either a single point or at the downstream end of a linear road section. The point is specified by a reference to a point in a pre-defined ALERT-C location table. + + + + + + + + + The point (called Secondary point) which is at the upstream end of a linear road section. The point is specified by a reference to a point in a pre-defined ALERT-C location table. + + + + + + + + + A linear section along a road between two points, Primary and Secondary, which are pre-defined ALERT-C locations plus offset distance. Direction is FROM the Secondary point TO the Primary point, i.e. the Primary point is downstream of the Secondary point. + + + + + + + + + + + + + + + A single point on the road network defined by reference to a point in a pre-defined ALERT-C location table plus an offset distance and which has an associated direction of traffic flow. + + + + + + + + + + + + + + The point (called Primary point) which is either a single point or at the downstream end of a linear road section. The point is specified by a reference to a point in a pre-defined ALERT-C location table plus a non-negative offset distance. + + + + + + + + + + The point (called Secondary point) which is at the upstream end of a linear road section. The point is specified by a reference to a point in a pre-defined Alert-C location table plus a non-negative offset distance. + + + + + + + + + + A single point on the road network defined by reference to a pre-defined ALERT-C location table and which has an associated direction of traffic flow. + + + + + EBU country code. + + + + + Number allocated to an ALERT-C table in a country. Ref. EN ISO 14819-3 for the allocation of a location table number. + + + + + Version number associated with an ALERT-C table reference. + + + + + + + + An integer number representing an angle in whole degrees between 0 and 359. + + + + + + An obstruction on the road resulting from the presence of animals. + + + + + + + Indicates whether the identified animals are dead (immobile) or alive (potentially mobile). + + + + + Indicates the nature of animals present on or near the roadway. + + + + + + + + + + Types of animal presence. + + + + + Traffic may be disrupted due to animals on the roadway. + + + + + Traffic may be disrupted due to a herd of animals on the roadway. + + + + + Traffic may be disrupted due to large animals on the roadway. + + + + + + + A geographic or geometric defined area which may be qualified by height information to provide additional geospatial discrimination (e.g. for snow in an area but only above a certain altitude). + + + + + + + + + + + + + + The specification of the destination of a defined route or itinerary which is an area. + + + + + + + + + + + + + Types of areas of interest. + + + + + Area of the whole European continent. + + + + + Whole area of the specific country. + + + + + Area of countries which are neighbouring the one specified. + + + + + Non specified area. + + + + + Area of the local region. + + + + + + + Authority initiated operation or activity that could disrupt traffic. + + + + + + + Type of authority initiated operation or activity that could disrupt traffic. + + + + + + + + + + Types of authority operations. + + + + + An operation involving authorised investigation work connected to an earlier reported accident. + + + + + An operation where a bomb squad is in action to deal with suspected or actual explosive or incendiary devices which may cause disruption to traffic. + + + + + A situation, perceived or actual, relating to a civil emergency which could disrupt traffic. This includes large scale destruction, through events such as earthquakes, insurrection, and civil disobedience. + + + + + A permanent or temporary operation established by customs and excise authorities on or adjacent to the carriageway. + + + + + An operation involving the juridical reconstruction of events for the purposes of judicial or legal proceedings. + + + + + A permanent or temporary operation established on or adjacent to the carriageway for use by police or other authorities. + + + + + A temporary operation established on or adjacent to the carriageway by the police associated with an ongoing investigation. + + + + + A permanent or temporary operation established on or adjacent to the carriageway for use by the road operator, such as for survey or inspection purposes, but not for traffic management purposes. + + + + + A permanent or temporary operation established by authorities on or adjacent to the carriageway for the purpose of gathering statistics or other traffic related information. + + + + + An operation to transport one or more VIPs. + + + + + An authority activity of undefined type. + + + + + A permanent or temporary operation established on or adjacent to the carriageway for inspection of vehicles by authorities (e.g. vehicle safety checks and tachograph checks). + + + + + A permanent or temporary operation established on or adjacent to the carriageway for weighing of vehicles by authorities. + + + + + A permanent or temporary facility established by authorities on the carriageway for weighing vehicles while in motion. + + + + + Other than as defined in this enumeration. + + + + + + + The spacing details between the axle sets of an individual vehicle numbered from the front to the back of the vehicle. + + + + + The spacing interval, indicated by the axleSpacingSequenceIdentifier, between the axles of an individual vehicle from front to back of the vehicle. + + + + + Indicates the sequence of the interval between the axles of the individual vehicle from front to back (e.g. 1, 2, 3...). This cannot exceed (numberOfAxles -1) if the numberOfAxles is also given as part of the VehicleCharacteristics. + + + + + + + + Vehicle axles per hour. + + + + + + The weight details of a specific axle on the vehicle. + + + + + Indicates the position of the axle on the vehicle numbered from front to back (i.e. 1, 2, 3...). This cannot exceed the numberOfAxles if provided as part of VehicleCharacteristics. + + + + + The weight of the specific axle, indicated by the axleSequenceIdentifier, on the vehicle numbered from front to back of the vehicle. + + + + + The maximum permitted weight of this specific axle on the vehicle. + + + + + + + + Generic data value(s) of either measured or elaborated data. Where values of different type are given in a single instance the metadata contained in the BasicDataValue must be applicable to all, otherwise separate instances must be given. + + + + + The extent to which the value may be subject to error, measured as a percentage of the data value. + + + + + Method of computation which has been used to compute this data value. + + + + + Indication of whether the value is deemed to be faulty by the supplier, (true = faulty). If not present the data value is assumed to be ok. This may be used when automatic fault detection information relating to sensors is available. + + + + + The reason why the value is deemed to be faulty by the supplier. + + + + + The number of inputs detected but not completed during the sampling or measurement period; e.g. vehicles detected entering but not exiting the detection zone. + + + + + The number of input values used in the sampling or measurment period to determine the data value. + + + + + The time elapsed between the beginning and the end of the sampling or measurement period. This item may differ from the unit attribute; e.g. an hourly flow can be estimated from a 5-minute measurement period. + + + + + Coefficient required when a moving average is computed to give specific weights to the former average and the new data. A typical formula is, F being the smoothing factor: New average = (old average) F + (new data) (1 - F). + + + + + The standard deviation of the sample of input values from which this value was derived, measured in the units of the data value. + + + + + A measure of data quality assigned to the value by the supplier. 100% equates to ideal/perfect quality. The method of calculation is supplier specific and needs to be agreed between supplier and client. + + + + + Point in time at which this specific value has been computed or measured. + + + + + The location (e.g. the stretch of road or area) to which the data value is pertinent/relevant. This may be different from the location of the measurement equipment (i.e. the measurement site location). + + + + + + + + Boolean has the value space required to support the mathematical concept of binary-valued logic: {true, false}. + + + + + + Types of configuration/layout of a car park. + + + + + Parking is on multiple levels within a car park building. + + + + + Car parking facility is associated with a park and ride service. + + + + + Parking is on a single ground floor level. + + + + + Parking is on one or more floors below ground level. + + + + + + + Provides information on the status of one or more car parks. + + + + + + + The configuration/layout of a car park. + + + + + The identity of one or a group of car parks. + + + + + The percentage value of car parking spaces occupied. + + + + + Indicates the status of one or more specified car parks. + + + + + The rate at which vehicles are exiting the car park. + + + + + The rate at which vehicles are entering the car park. + + + + + Indicates the number of vacant parking spaces available in a specified parking area. + + + + + Number of currently occupied spaces. + + + + + The current queuing time (duration) for entering the car park. + + + + + Total number of car parking spaces. + + + + + + + + + + Collection of statuses which may be associated with car parks. + + + + + The specified car park is closed. + + + + + All car parks are full within a specified area. + + + + + The specified car parking facility is not operating normally. + + + + + A specified car park is completely occupied. + + + + + The status of the specified car park(s) is unknown. + + + + + Specified car parks have car-parking spaces available. + + + + + Multi level car parks are fully occupied. + + + + + Specified car parks are fully occupied. + + + + + No park and ride information will be available until the specified time. + + + + + No parking allowed until the specified time. + + + + + Car-parking information is not available until a specified time. + + + + + The parking restrictions that normally apply in the specified location have been temporarily lifted. + + + + + Specified car parks have 95% or greater occupancy. + + + + + Park and ride services are not operating until the specified time. + + + + + Park and ride services are operating until the specified time. + + + + + Parking restrictions, other than those that normally apply, are in force in a specified area. + + + + + + + List of descriptors identifying specific carriageway details. + + + + + On the connecting carriageway. + + + + + On the entry slip road. + + + + + On the exit slip road. + + + + + On the flyover, i.e. the section of road passing over another. + + + + + On the left hand feeder road. + + + + + On the left hand parallel carriageway. + + + + + On the main carriageway. + + + + + On the opposite carriageway. + + + + + On the adjacent parallel carriageway. + + + + + On the right hand feeder road. + + + + + On the right hand parallel carriageway. + + + + + On the adjacent service road. + + + + + On the slip roads. + + + + + On the underpass, i.e. the section of road passing under another. + + + + + + + Identification of the supplier's data catalogue in a data exchange context. + + + + + Identification of the supplier's data catalogue in a data exchange context. + + + + + + + + Contains details of the cause of a record within a situation + + + + + + + + Types of causes of situations which are not managed or off network. + + + + + Accident. + + + + + Traffic congestion. + + + + + An earlier accident. + + + + + An earlier event. + + + + + An earlier incident. + + + + + Failure of roadside equipment. + + + + + Excessive heat. + + + + + Frost. + + + + + Holiday traffic. + + + + + Failure of road infrastructure. + + + + + Large numbers of visitors. + + + + + Obstruction (of unspecified type) on the roadway. + + + + + An alert relating to dangerous levels of pollution. + + + + + Poor weather conditions. + + + + + Problems at the border crossing. + + + + + Problems at the customs post on the border. + + + + + Problems (of an unspecified nature) on the local roads. + + + + + Radioactive leak alert. + + + + + A roadside event (of unspecified nature) whether planned or not. + + + + + Drivers being distracted and turning to look at an accident or other roadside event. + + + + + A security incident. + + + + + Shear weight of traffic. + + + + + Technical problems. + + + + + A terrorist incident. + + + + + An alert relating to the release of toxic gases and/or particulates. + + + + + A vandalism incident. + + + + + Other than as defined in this enumeration. + + + + + + + List of flags to indicate what has changed in an exchage. + + + + + Catalogue has changed indicator. + + + + + Filter has changed indicator. + + + + + + + A free text comment with an optional date/time stamp that can be used by the operator to convey un-coded observations/information. + + + + + A free text comment that can be used by the operator to convey un-coded observations/information. + + + + + The date/time at which the comment was made. + + + + + + + + Logical comparison operations. + + + + + Logical comparison operator of "equal to". + + + + + Logical comparison operator of "greater than". + + + + + Logical comparison operator of "greater than or equal to". + + + + + Logical comparison operator of "less than". + + + + + Logical comparison operator of "less than or equal to". + + + + + + + Types of compliance. + + + + + Advisory compliance . + + + + + Mandatory compliance. + + + + + + + Types of computational methods used in deriving data values for data sets. + + + + + Arithmetic average of sample values based on a fixed number of samples. + + + + + Arithmetic average of sample values in a time period. + + + + + Harmonic average of sample values in a time period. + + + + + Median of sample values taken over a time period. + + + + + Moving average of sample values. + + + + + + + Concentration defined in grams per cubic centimetre. + + + + + + A measure of concentration defined in µg/m3 (microgrammes/cubic metre). + + + + + + A measure of traffic density defined in number of vehicles per kilometre of road. + + + + + + Any conditions which have the potential to degrade normal driving conditions. + + + + + + + Description of the driving conditions at the specified location. + + + + + + + + + + Values of confidentiality. + + + + + For internal use only of the recipient organisation. + + + + + No restriction on usage. + + + + + Restricted for use only by authorities. + + + + + Restricted for use only by authorities and traffic operators. + + + + + Restricted for use only by authorities, traffic operators and publishers (service providers). + + + + + Restricted for use only by authorities, traffic operators, publishers (service providers) and variable message signs. + + + + + + + Roadworks involving the construction of new infrastructure. + + + + + + + The type of construction work being performed. + + + + + + + + + + Types of works relating to construction. + + + + + Blasting or quarrying work at the specified location. + + + + + Construction work of a general nature at the specified location. + + + + + Demolition work associated with the construction work. + + + + + Road widening work at the specified location + + + + + + + List of countries. + + + + + Austria + + + + + Belgium + + + + + Bulgaria + + + + + Switzerland + + + + + Serbia and Montenegro + + + + + Cyprus + + + + + Czech Republic + + + + + Germany + + + + + Denmark + + + + + Estonia + + + + + Spain + + + + + Finland + + + + + Faroe Islands + + + + + France + + + + + Great Britain + + + + + Guernsey + + + + + Gibraltar + + + + + Greece + + + + + Croatia + + + + + Hungary + + + + + Ireland + + + + + Isle Of Man + + + + + Iceland + + + + + Italy + + + + + Jersey + + + + + Lichtenstein + + + + + Lithuania + + + + + Luxembourg + + + + + Latvia + + + + + Morocco + + + + + Monaco + + + + + Macedonia + + + + + Malta + + + + + Netherlands + + + + + Norway + + + + + Poland + + + + + Portugal + + + + + Romania + + + + + Sweden + + + + + Slovenia + + + + + Slovakia + + + + + San Marino + + + + + Turkey + + + + + Vatican City State + + + + + Other than as defined in this enumeration. + + + + + + + A volumetric measure defined in cubic metres. + + + + + + + The DATEX II logical model comprising exchange, content payload and management sub-models. + + + + + + + + + + + Types of dangerous goods regulations. + + + + + European agreement on the international carriage of dangerous goods on road. + + + + + Regulations covering the international transportation of dangerous goods issued by the International Air Transport Association and the International Civil Aviation Organisation. + + + + + Regulations regarding the transportation of dangerous goods on ocean-going vessels issued by the International Maritime Organisation. + + + + + International regulations concerning the international carriage of dangerous goods by rail. + + + + + + + A combination of integer-valued year, month, day, hour, minute properties, a decimal-valued second property and a timezone property from which it is possible to determine the local time, the equivalent UTC time and the timezone offset from UTC. + + + + + + Types of pictograms. + + + + + Advisory speed limit. + + + + + Blank or void. + + + + + Chains or snow tyres are recommended. + + + + + Cross wind. + + + + + The driving of vehicles less than X metres apart is prohibited. + + + + + End of advisory speed limit. + + + + + End of prohibition of overtaking. + + + + + End of prohibition of overtaking for goods vehicles. + + + + + End of mandatory speed limit. + + + + + Exit closed. + + + + + Fog. + + + + + Keep a safe distance. + + + + + Mandatory speed limit. + + + + + No entry. + + + + + No entry for goods vehicles. + + + + + No entry for vehicles exceeding X tonnes laden mass. + + + + + No entry for vehicles having a mass exceeding X tonnes on a single axle. + + + + + No entry for vehicles having an overall height exceeding X metres. + + + + + No entry for vehicles having an overall length exceeding X metres. + + + + + No entry for vehicles carrying dangerous goods. + + + + + Danger ahead. + + + + + Overtaking prohibited for goods vehicles. + + + + + Overtaking prohibited. + + + + + Road closed ahead. + + + + + Roadworks. + + + + + Slippery road. + + + + + Snow. + + + + + Snow types compulsory. + + + + + Traffic congestion and possible queues. + + + + + + + Days of the week. + + + + + Monday. + + + + + Tuesday. + + + + + Wednesday. + + + + + Thursday. + + + + + Friday. + + + + + Saturday. + + + + + Sunday. + + + + + + + Specification of periods defined by the intersection of days, weeks and months. + + + + + Applicable day of the week. "All days of the week" is expressed by non-inclusion of this attribute. + + + + + Applicable week of the month (1 to 5). "All weeks of the month" is expressed by non-inclusion of this attribute. + + + + + Applicable month of the year. "All months of the year" is expressed by non-inclusion of this attribute. + + + + + + + + Classifications of a delay banded by length (i.e. the additional travel time). + + + + + Negligible delay. + + + + + Delay up to ten minutes. + + + + + Delay between ten minutes and thirty minutes. + + + + + Delay between thirty minutes and one hour. + + + + + Delay between one hour and three hours. + + + + + Delay between three hours and six hours. + + + + + Delay longer than six hours. + + + + + + + The details of the delays being caused by the situation element defined in the situation record. It is recommended to only use one of the optional attributes to avoid confusion. + + + + + The time band within which the additional travel time due to adverse travel conditions of any kind falls, when compared to "normal conditions". + + + + + Coarse classification of the delay. + + + + + The value of the additional travel time due to adverse travel conditions of any kind, when compared to "normal conditions", given in seconds. + + + + + + + + Course classifications of a delay. + + + + + Delays on the road network as a result of any situation which causes hold-ups. + + + + + Delays on the road network whose predicted duration cannot be estimated. + + + + + Delays on the road network of unusual severity. + + + + + Delays on the road network of abnormally unusual severity. + + + + + + + Reasons for denial of a request. + + + + + Reason unknown. + + + + + Wrong catalogue specified. + + + + + Wrong filter specified. + + + + + Wrong order specified. + + + + + Wrong partner specified. + + + + + + + The specification of the destination of a defined route or itinerary. This may be either a location on a network or an area location. + + + + + + + + Cardinal direction points of the compass. + + + + + East. + + + + + East north east. + + + + + East south east. + + + + + North. + + + + + North east. + + + + + North north east. + + + + + North north west. + + + + + North west. + + + + + South. + + + + + South east. + + + + + South south east. + + + + + South south west. + + + + + South west. + + + + + West. + + + + + West north west. + + + + + West south west. + + + + + + + List of general directions of travel. + + + + + Anticlockwise direction of travel on a ring road. + + + + + Clockwise direction of travel on a ring road. + + + + + North bound direction of travel. + + + + + North east bound direction of travel. + + + + + East bound direction of travel. + + + + + South east bound direction of travel. + + + + + South bound direction of travel. + + + + + South west bound direction of travel. + + + + + West bound direction of travel. + + + + + North west bound direction of travel. + + + + + Heading towards town centre direction of travel. + + + + + Heading out of or away from the town centre direction of travel. + + + + + + + Deliberate human action of either a public disorder nature or of a situation alert type which could disrupt traffic. + + + + + + + Includes all situations of a public disorder type or of an alert type, with potential to disrupt traffic. + + + + + + + + + + Types of disturbance activities. + + + + + A situation relating to any threat from foreign air power. + + + + + An altercation (argument, dispute or fight) between two or more vehicle occupants. + + + + + A situation where an assault has taken place on one or more persons. + + + + + A situation where assets of one or more persons or authorities have been destroyed. + + + + + A situation where an attack on a group of people or properties has taken place. + + + + + A situation where an attack on a vehicle or its occupants has taken place. + + + + + A manned blockade or barrier across a road stopping vehicles passing. + + + + + An alert to a situation where suspected or actual explosive or incendiary devices may cause disruption to traffic. + + + + + A major gathering of people that could disrupt traffic. + + + + + A public protest with the potential to disrupt traffic. + + + + + A situation where a definite area is being cleared due to dangerous conditions or for security reasons. + + + + + A manned blockade of a road where only certain vehicles are allowed through. + + + + + As a form of protest, several vehicles are driving in a convoy at a low speed which is affecting the normal traffic flow. + + + + + A situation involving gunfire, perceived or actual, on or near the roadway through an act of terrorism or crime, which could disrupt traffic. + + + + + One or more occupants of a vehicle are seriously ill, possibly requiring specialist services or assistance. This may disrupt normal traffic flow. + + + + + A situation where people are walking together in large groups for a common purpose, with potential to disrupt traffic. + + + + + A situation of public disorder, with potential to disrupt traffic. + + + + + An alert to a radioactive leak which may endanger the public and hence may cause traffic disruption. + + + + + A situation of public disorder involving violent behaviour and/or destruction of property with the potential to disrupt traffic. + + + + + A situation resulting from any act of sabotage. + + + + + An official alert to a perceived or actual threat of crime or terrorism, which could disrupt traffic. + + + + + A situation related to a perceived or actual threat of crime or terrorism, which could disrupt traffic. + + + + + Attendees or sightseers to reported event(s) causing obstruction to access. + + + + + A situation resulting from industrial action that could disrupt traffic. + + + + + A situation related to a perceived or actual threat of terrorism, which could disrupt traffic. + + + + + A situation where assets of one or more persons or authorities have been stolen. + + + + + An alert to a toxic release of gases and/or particulates into the environment which may endanger the public and hence may cause traffic disruption. + + + + + An alert to a perceived or actual threat of an unspecified nature, which could disrupt traffic. + + + + + Other than as defined in this enumeration. + + + + + + + Types of the perceived driving conditions. + + + + + Current conditions are making driving impossible. + + + + + Driving conditions are hazardous due to environmental conditions. + + + + + Driving conditions are normal. + + + + + The roadway is passable to vehicles with driver care. + + + + + Driving conditions are unknown. + + + + + Driving conditions are very hazardous due to environmental conditions. + + + + + Driving conditions are consistent with those expected in winter. + + + + + Other than as defined in this enumeration. + + + + + + + An instance of data which is derived/computed from one or more measurements over a period of time. It may be a current value or a forecast value predicted from historical measurements. + + + + + Indication of whether this elaborated data is a forecast (true = forecast). + + + + + + + + + + + A publication containing one or more elaborated data sets. + + + + + + + The default value for the publication of whether the elaborated data is a forecast (true = forecast). + + + + + The default value for the publication of the time elapsed between the beginning and the end of the sampling or measurement period. This item may differ from the unit attribute; e.g. an hourly flow can be estimated from a 5-minute measurement period. + + + + + The default for the publication of the time at which the values have been computed/derived. + + + + + + + + + + + + + An obstruction on the road resulting from an environmental cause. + + + + + + + The depth of flooding or of snow on the road. + + + + + Characterization of an obstruction on the road resulting from an environmental cause. + + + + + + + + + + Types of environmental obstructions. + + + + + The road may be obstructed or partially obstructed due to snow slides. + + + + + The road may be obstructed or partially obstructed because of damage caused by an earthquake. + + + + + The road is obstructed or partially obstructed by one or more fallen trees. + + + + + Falling ice off trees, power lines or structures which may cause traffic disruption. + + + + + Falling light ice or snow off trees, power lines or structures which may cause traffic disruption. + + + + + The road may become quickly inundated by powerful floodwaters due to heavy rain nearby. + + + + + The road is obstructed or partially obstructed by flood water. + + + + + Traffic may be disrupted due to a forest fire adjacent to the roadway. + + + + + Traffic may be disrupted due to a grass fire adjacent to the roadway. + + + + + The road may be obstructed or partially obstructed due to landslides. + + + + + The road may be obstructed or partially obstructed due to mudslides. + + + + + The road is obstructed or partially obstructed by overflows from one or more sewers. + + + + + The road may be obstructed or partially obstructed due to fallen rocks. + + + + + Traffic may be disrupted due to a fire (other than a vehicle fire) adjacent to the roadway. + + + + + Smoke or fumes which may hinder driving conditions or distract drivers. + + + + + The road may be obstructed or partially obstructed by debris caused by strong winds. + + + + + The road surface has sunken or collapsed in places. + + + + + Other than as defined in this enumeration. + + + + + + + Equipment or system which is faulty, malfunctioning or not in a fully operational state that may be of interest or concern to road operators and road users. + + + + + + + Failure, malfunction or non operational condition of equipment or system. + + + + + The type of equipment or system which is faulty, malfunctioning or not in a fully operational state. + + + + + + + + + + Types of fault, malfunctioning or non operational conditions of equipment or systems. + + + + + Not working or functioning. + + + + + Out of service (usually for operational reasons). + + + + + Working incorrectly. + + + + + Working intermittently. + + + + + + + Types of equipment and systems used to support the operation of the road network. + + + + + Automated toll system. + + + + + Emergency roadside telephones. + + + + + Gallery lights. + + + + + Signs used to control lane usage (e.g. in tidal flow systems or hard shoulder running). + + + + + Level crossing (barriers and signals). + + + + + Matrix signs. These normally comprise a symbol display area surrounded by four lights (usually amber) which flash when a symbol is displayed. + + + + + Ramp control equipment. + + + + + Roadside communications system which is used by one or more roadside equipments or systems. + + + + + Roadside power system which is used by one or more roadside equipments or systems. + + + + + Signs used to control traffic speed. + + + + + Street or road lighting. + + + + + Temporary traffic lights. + + + + + Toll gates. + + + + + Sets of traffic lights. + + + + + Traffic signals. + + + + + Tunnel lights. + + + + + Tunnel ventilation system. + + + + + Variable message signs. + + + + + Other than as defined in this enumeration. + + + + + + + Details associated with the management of the exchange between the supplier and the client. + + + + + Indicates that either a filter or a catalogue has been changed. + + + + + In a data exchange process, an identifier of the organisation or group of organisations which receives information from the DATEX II supplier system. + + + + + Indicates that a data delivery is stopped for unplanned reasons, i.e. excluding the end of the order validity (attribute FIL) or the case when the filter expression is not met (attribute OOR). + + + + + Indicates the reason for the refusal of the requested exchange. + + + + + For "Client Pull" exchange mode (operating mode 3 - snapshot) it defines the date/time at which the snapshot was produced. + + + + + For "Client Pull" exchange mode (operating mode 3 - snapshot) it defines the date/time after which the snapshot is no longer considered valid. + + + + + Indicator that this exchange is due to "keep alive" functionality. + + + + + The type of request that has been made by the client on the supplier. + + + + + The type of the response that the supplier is returning to the requesting client. + + + + + Unique identifier of the client's subscription with the supplier. + + + + + + + + + + + + + + + + + + A location defined by reference to an external/other referencing system. + + + + + A code in the external referencing system which defines the location. + + + + + Identification of the external/other location referencing system. + + + + + + + + Filter indicators management information. + + + + + This attribute, set to true, indicates that the filter, for which a previous record version has been published, becomes inactive. + + + + + This attribute is set to true when a previous version of this record has been published and now, for this new record version, the record goes out of the filter range. + + + + + + + + Details of a supplier's filter in a data exchange context. + + + + + Indicates that a client defined filter has to be deleted. + + + + + Indicates that a client defined filter was either stored or deleted successfully. + + + + + The unique key identifier of a supplier applied filter. + + + + + + + + A floating point number whose value space consists of the values m × 2^e, where m is an integer whose absolute value is less than 2^24, and e is an integer between -149 and 104, inclusive. + + + + + + Type of fuel used by a vehicle. + + + + + Battery. + + + + + Biodiesel. + + + + + Diesel. + + + + + Diesel and battery hybrid. + + + + + Ethanol. + + + + + Hydrogen. + + + + + Liquid gas of any type including LPG. + + + + + Liquid petroleum gas. + + + + + Methane gas. + + + + + Petrol. + + + + + Petrol and battery hybrid. + + + + + + + General instruction that is issued by the network/road operator which is applicable to drivers and sometimes passengers. + + + + + + + General instruction that is issued by the network/road operator which is applicable to drivers and sometimes passengers. + + + + + + + + + + General instructions that may be issued to road users (specifically drivers and sometimes passengers) by an operator or operational system in support of network management activities. + + + + + Allow emergency vehicles to pass. + + + + + Approach with care. + + + + + Drivers are to avoid the area. + + + + + Close all windows and turn off heater and vents. + + + + + Cross junction with care. + + + + + Do not allow unnecessary gaps. + + + + + Do not leave your vehicle. + + + + + Do not throw out any burning objects. + + + + + Do not use navigation systems to determine routing. + + + + + Drive carefully. + + + + + Drive with extreme caution. + + + + + Flash your lights to warn oncoming traffic of hazard ahead. + + + + + Follow the vehicle in front, smoothly. + + + + + Increase normal following distance. + + + + + In emergency, wait for patrol service (either road operator or police patrol service). + + + + + Keep your distance. + + + + + Leave your vehicle and proceed to next safe place. + + + + + No naked flames. + + + + + No overtaking on the specified section of road. + + + + + No smoking. + + + + + No stopping. + + + + + No U-turns. + + + + + Observe signals. + + + + + Observe signs. + + + + + Only travel if absolutely necessary. + + + + + Overtake with care. + + + + + Pull over to the edge of the roadway. + + + + + Stop at next safe place. + + + + + Stop at next rest service area or car park. + + + + + Switch off engine. + + + + + Switch off mobile phones and two-way radios. + + + + + Test your brakes. + + + + + Use bus service. + + + + + Use fog lights. + + + + + Use hazard warning lights. + + + + + Use headlights. + + + + + Use rail service. + + + + + Use tram service. + + + + + Use underground service. + + + + + Wait for escort vehicle. + + + + + Other than as defined in this enumeration. + + + + + + + Network management action that is instigated either manually or automatically by the network/road operator. Compliance with any resulting control may be advisory or mandatory. + + + + + + + The type of traffic management action instigated by the network/road operator. + + + + + Type of person that is manually directing traffic (applicable if generalNetworkManagementType is set to "trafficBeingManuallyDirected"). + + + + + + + + + + Types of network management actions. + + + + + The bridge at the specified location has swung or lifted and is therefore temporarily closed to traffic. + + + + + A convoy service is in operation. + + + + + Signs are being put out before or around an obstacle to protect drivers. + + + + + Ramp metering is now active at the specified location. + + + + + Traffic is being controlled by temporary traffic lights (red-yellow-green or red-green). + + + + + Toll gates are open with no fee collection at the specified location. + + + + + Traffic is being manually directed. + + + + + Traffic in the specified direction is temporarily held up due to an unplanned event (e.g. for clearance of wreckage following an accident). + + + + + Other than as defined in this enumeration. + + + + + + + Any stationary or moving obstacle of a physical nature, other than of an animal, vehicle, environmental, or damaged equipment nature. + + + + + + + Characterization of the type of general obstruction. + + + + + + + + + + + A publication used to make level B extensions at the publication level. + + + + + + + The name of the generic publication. + + + + + + + + + + A generic SituationRecord for use when adding level B extensions at the SituationRecord level. + + + + + + + The name of the GenericSituationRecord. + + + + + + + + + + Gross weight characteristic of a vehicle. + + + + + The operator to be used in the vehicle characteristic comparison operation. + + + + + The gross weight of the vehicle and its load, including any trailers. + + + + + + + + A group of one or more physically separate locations. Locations maybe related, as in an itinerary or route, or maybe unrelated. It is not for identifying the same physical location using different referencing systems. + + + + + + + + A group of locations defined by reference to a predefined set of locations. + + + + + + + A reference to a predefined location set. + + + + + + + + + + A group of one or more physically separate locations which have no specific order. + + + + + + + Location contained in a non ordered group of locations. + + + + + + + + + + Group of people involved in the event having common characteristics and/or status. + + + + + The number of people of this group that are involved. + + + + + The injury status of the people involved. + + + + + The involvement role of the people. + + + + + The category of persons involved. + + + + + + + + Group of the vehicles involved having common characteristics and/or status. + + + + + The number of vehicles of this group that are involved. + + + + + Vehicle status. + + + + + + + + + Details of hazardous materials. + + + + + The chemical name of the hazardous substance carried by the vehicle. + + + + + The temperature at which the vapour from a hazardous substance will ignite in air. + + + + + The code defining the regulations, international or national, applicable for a means of transport. + + + + + The dangerous goods description code. + + + + + The version/revision number of date of issuance of the hazardous material code used. + + + + + A number giving additional hazard code classification of a goods item within the applicable dangerous goods regulation. + + + + + The identification of a transport emergency card giving advice for emergency actions. + + + + + A unique serial number assigned within the United Nations to substances and articles contained in a list of the dangerous goods most commonly carried. + + + + + The volume of dangerous goods on the vehicle(s) reported in a traffic/travel situation. + + + + + The weight of dangerous goods on the vehicle(s) reported in a traffic/travel situation. + + + + + + + + Management information relating to the data contained within a publication. + + + + + The extent of the geographic area to which the related information should be distributed. + + + + + The extent to which the related information may be circulated, according to the recipient type. Recipients must comply with this confidentiality statement. + + + + + The status of the related information (real, test, exercise ....). + + + + + This indicates the urgency with which a message recipient or Client should distribute the enclosed information. Urgency particularly relates to functions within RDS-TMC applications. + + + + + + + + Weight characteristic of the heaviest axle on the vehicle. + + + + + The operator to be used in the vehicle characteristic comparison operation. + + + + + The weight of the heaviest axle on the vehicle. + + + + + + + + Height characteristic of a vehicle. + + + + + The operator to be used in the vehicle characteristic comparison operation. + + + + + The height of the highest part, excluding antennae, of an individual vehicle above the road surface, in metres. + + + + + + + + Details of atmospheric humidity. + + + + + The amount of water vapour in the air, as a percentage of the amount of water vapour in saturated air at the same temperature and at atmospheric pressure. The measurement is taken between 1.5 and 2 m above the ground and behind a meteo screen. + + + + + + + + Measurements of atmospheric humidity. + + + + + + + + + + + + + An assessment of the impact that an event or operator action defined by the situation record has on the driving conditions. + + + + + The ratio of current capacity to the normal (free flow) road capacity in the defined direction, expressed as a percentage. Capacity is the maximum number of vehicles that can pass a specified point on the road, in unit time given the specified conditions. + + + + + The number of normally usable lanes on the carriageway which are now restricted either fully or partially (this may include the hard shoulder if it is normally available for operational use, e.g. in hard shoulder running schemes). + + + + + The number of usable lanes in the specified direction which remain fully operational (this may include the hard shoulder if it is being used as an operational lane). + + + + + The normal number of usable lanes in the specified direction that the carriageway has before reduction due to roadworks or traffic events. + + + + + The total width of the combined operational lanes in the specified direction. + + + + + The type of constriction to which traffic is subjected as a result of an event or operator action. + + + + + + + + + Measurements relating to individual vehicles. + + + + + + + + + + + + + + + Status of the related information (i.e. real, test or exercise). + + + + + The information is real. It is not a test or exercise. + + + + + The information is part of an exercise which is for testing security. + + + + + The information is part of an exercise which includes tests of associated technical subsystems. + + + + + The information is part of a test for checking the exchange of this type of information. + + + + + + + An obstruction on the road resulting from the failure or damage of infrastructure on, under, above or close to the road. + + + + + + + Characterization of an obstruction on the road resulting from the failure or damage of infrastructure on, under, above or close to the road. + + + + + + + + + + Types of infrastructure damage which may have an effect on the road network. + + + + + The road surface has sunken or collapsed in places due to burst pipes. + + + + + Traffic may be disrupted due to local flooding and/or subsidence because of a broken water main. + + + + + The road surface has sunken or collapsed in places due to sewer failure. + + + + + Damage to a bridge that may cause traffic disruption. + + + + + Damage to a crash barrier that may cause traffic disruption. + + + + + Damage to an elevated section of the carriageway over another carriageway that may cause traffic disruption. + + + + + Damage to a gallery that may cause traffic disruption. + + + + + Damage to a gantry above the roadway that may cause traffic disruption. + + + + + Damage to the road surface that may cause traffic disruption. + + + + + Damage to a tunnel that may cause traffic disruption. + + + + + Damage to a viaduct that may cause traffic disruption. + + + + + The road is obstructed or partially obstructed by one or more fallen power cables. + + + + + Traffic may be disrupted due to an explosion hazard from gas escaping in or near the roadway. + + + + + Weak bridge capable of carrying a reduced load, typically with a reduced weight limit restriction imposed. + + + + + Other than as defined in this enumeration. + + + + + + + Types of injury status of people. + + + + + Dead. + + + + + Injured requiring medical treatment. + + + + + Seriously injured requiring urgent hospital treatment. + + + + + Slightly injured requiring medical treatment. + + + + + Uninjured. + + + + + Injury status unknown. + + + + + + + A measure of the quantity of application of a substance to an area defined in kilogrammes per square metre. + + + + + + A measure of precipitation intensity defined in millimetres per hour. + + + + + + An identifier/name whose range is specific to the particular country. + + + + + ISO 3166-1 two character country code. + + + + + Identifier or name unique within the specified country. + + + + + + + + Involvement role of a person in event. + + + + + Cyclist. + + + + + Pedestrian. + + + + + Involvement role is unknown. + + + + + Vehicle driver. + + + + + Vehicle occupant (driver or passenger not specified). + + + + + Vehicle passenger. + + + + + Witness. + + + + + + + A group of one or more physically separate locations arranged as an ordered set that defines an itinerary or route. The index indicates the order. + + + + + + + Location contained in an itinerary (i.e. an ordered set of locations defining a route or itinerary). + + + + + + + + + + + + Destination of a route or final location in an itinerary. + + + + + + + + + + A measure of speed defined in kilometres per hour. + + + + + + List of descriptors identifying specific lanes. + + + + + In all lanes of the carriageway. + + + + + In the bus lane. + + + + + In the bus stop lane. + + + + + In the carpool lane. + + + + + On the central median separating the two directional carriageways of the highway. + + + + + In the crawler lane. + + + + + In the emergency lane. + + + + + In the escape lane. + + + + + In the express lane. + + + + + On the hard shoulder. + + + + + In the heavy vehicle lane. + + + + + In the first lane numbered from nearest the hard shoulder to central median. + + + + + In the second lane numbered from nearest the hard shoulder to central median. + + + + + In the third lane numbered from nearest the hard shoulder to central median. + + + + + In the fourth lane numbered from nearest the hard shoulder to central median. + + + + + In the fifth lane numbered from nearest the hard shoulder to central median. + + + + + In the sixth lane numbered from nearest the hard shoulder to central median. + + + + + In the seventh lane numbered from nearest the hard shoulder to central median. + + + + + In the eighth lane numbered from nearest the hard shoulder to central median. + + + + + In the ninth lane numbered from nearest the hard shoulder to central median. + + + + + In a lay-by. + + + + + In the left hand turning lane. + + + + + In the left lane. + + + + + In the local traffic lane. + + + + + In the middle lane. + + + + + In the opposing lanes. + + + + + In the overtaking lane. + + + + + In the right hand turning lane. + + + + + In the right lane. + + + + + In the lane dedicated for use during the rush (peak) hour. + + + + + In the area/lane reserved for passenger pick-up or set-down. + + + + + In the slow vehicle lane. + + + + + In the through traffic lane. + + + + + In the lane dedicated for use as a tidal flow lane. + + + + + In the turning lane. + + + + + On the verge. + + + + + + + A language datatype, identifies a specified language. + + + + + + Length characteristic of a vehicle. + + + + + The operator to be used in the vehicle characteristic comparison operation. + + + + + The overall distance between the front and back of an individual vehicle, including the length of any trailers, couplings, etc. + + + + + + + + Information relating to the life cycle management of the situation record. + + + + + Indication that all the element information previously sent is not considered valid, due to an incorrect content. + + + + + A binary attribute specifying whether the situation element is finished (true) or not (false). If finished (i.e. end is true) then the overallEndTime in the OverallPeriod class associated with the SituationRecord must be populated. + + + + + + + + A linear section along a single road with optional directionality defined between two points on the same road. + + + + + + + + + + + + + + + An identifiable instance of a linear traffic view at a single point in time relating to a linear section of road, comprising one or more traffic view records. + + + + + A reference to a predefined location which is of type linear. + + + + + + + + + + Types of load carried by a vehicle. + + + + + A load that exceeds normal vehicle dimensions in terms of height, length, width, gross vehicle weight or axle weight or any combination of these. Generally termed an "abnormal load". + + + + + Ammunition. + + + + + Chemicals of unspecified type. + + + + + Combustible materials of unspecified type. + + + + + Corrosive materials of unspecified type. + + + + + Debris of unspecified type. + + + + + No load. + + + + + Explosive materials of unspecified type. + + + + + A load of exceptional height. + + + + + A load of exceptional length. + + + + + A load of exceptional width. + + + + + Fuel of unspecified type. + + + + + Glass. + + + + + Any goods of a commercial nature. + + + + + Materials classed as being of a hazardous nature. + + + + + Liquid of an unspecified nature. + + + + + Livestock. + + + + + General materials of unspecified type. + + + + + Materials classed as being of a danger to people or animals. + + + + + Materials classed as being potentially dangerous to the environment. + + + + + Materials classed as being dangerous when exposed to water (e.g. materials which may react exothermically with water). + + + + + Oil. + + + + + Materials that present limited environmental or health risk. Non-combustible, non-toxic, non-corrosive. + + + + + Products or produce that will significantly degrade in quality or freshness over a short period of time. + + + + + Petrol or petroleum. + + + + + Pharmaceutical materials. + + + + + Materials that emit significant quantities of electro-magnetic radiation that may present a risk to people, animals or the environment. + + + + + Refuse. + + + + + Materials of a toxic nature which may damage the environment or endanger public health. + + + + + Vehicles of any type which are being transported. + + + + + Other than as defined in this enumeration. + + + + + + + The specification of a location either on a network (as a point or a linear location) or as an area. This may be provided in one or more referencing systems. + + + + + + A location which may be used by clients for visual display on user interfaces. + + + + + + + + A location defined by reference to a predefined location. + + + + + + + A reference to a predefined location. + + + + + + + + + + Location characteristics which override values set in the referenced measurement point. + + + + + Overrides for this single measured value instance the lane(s) defined for the set of measurements. + + + + + Indicates that the direction of flow for the measured lane(s) is the reverse of the normal direction of traffic flow. Default is "no", which indicates traffic flow is in the normal sense as defined by the referenced measurement point. + + + + + + + + List of descriptors to help to identify a specific location. + + + + + Around a bend in the road. + + + + + At a motorway interchange. + + + + + At rest area off the carriageway. + + + + + At service area. + + + + + At toll plaza. + + + + + At entry or exit of tunnel. + + + + + On the carriageway or lane which is inbound towards the centre of the town or city. + + + + + In gallery. + + + + + In the centre of the roadway. + + + + + In the opposite direction. + + + + + In tunnel. + + + + + On border crossing. + + + + + On bridge. + + + + + On connecting carriageway between two different roads or road sections. + + + + + On elevated section of road. + + + + + On flyover, i.e. on section of road over another road. + + + + + On ice road. + + + + + On level-crossing. + + + + + On road section linking two different roads. + + + + + On mountain pass. + + + + + On roundabout. + + + + + On the left of the roadway. + + + + + On the right of the roadway. + + + + + On the roadway. + + + + + On underground section of road. + + + + + On underpass, i.e. section of road which passes under another road. + + + + + On the carriageway or lane which is outbound from the centre of the town or city. + + + + + Over the crest of a hill. + + + + + On the main carriageway within a junction between exit slip road and entry slip road. + + + + + + + Types of maintenance vehicle actions associated with roadworks. + + + + + Maintenance vehicles are merging into the traffic flow creating a potential hazard for road users. + + + + + Maintenance vehicle(s) are spreading salt and/or grit. + + + + + Maintenance vehicles are slow moving. + + + + + Maintenance vehicle(s) are involved in the clearance of snow. + + + + + Maintenance vehicles are stopping to service equipments on or next to the roadway. + + + + + + + Details of the maintenance vehicles involved in the roadworks activity. + + + + + The number of maintenance vehicles associated with the roadworks activities at the specified location. + + + + + The actions of the maintenance vehicles associated with the roadworks activities. + + + + + + + + Roadworks involving the maintenance or installation of infrastructure. + + + + + + + The type of road maintenance or installation work at the specified location. + + + + + + + + + + A cause of this situation record which is managed by the publication creator, i.e. one which is represented by another situation record produced by the same publication creator. + + + + + + + A reference to another situation record produced by the same publication creator which defines a cause of the event defined here. + + + + + + + + + + Information relating to the management of the situation record. + + + + + + + + + + Types of matrix sign faults. + + + + + Comunications failure affecting matrix sign. + + + + + Incorrect aspect (face) is being displayed. + + + + + Not currently in service (e.g. intentionally disconnected or switched off during roadworks). + + + + + Power to matrix sign has failed. + + + + + Unable to clear down aspect displayed on matrix sign. + + + + + Unknown matrix sign fault. + + + + + Other than as defined in this enumeration. + + + + + + + Details of a matrix sign and its displayed aspect. + + + + + + + Indicates which sign aspect (face) is being displayed. + + + + + Indicates the type of fault which is being recorded for the specified matrix sign. + + + + + A reference to aid identification of the subject matrix sign. + + + + + + + + + + A publication containing one or more measurement data sets, each set being measured at a single measurement site. + + + + + + + A reference to a Measurement Site table. + + + + + + + + + + + + Types of measured or derived data. + + + + + Measured or derived humidity information. + + + + + Measured or derived individual vehicle measurements. + + + + + Measured or derived pollution information. + + + + + Measured or derived precipitation information. + + + + + Measured or derived pressure information. + + + + + Measured or derived radiation information. + + + + + Measured or derived road surface conditions information. + + + + + Measured or derived temperature information. + + + + + Measured or derived traffic concentration information. + + + + + Measured or derived traffic flow information. + + + + + Measured or derived traffic headway information. + + + + + Measured or derived traffic speed information. + + + + + Measured or derived traffic status information. + + + + + Measured or derived travel time information. + + + + + Measured or derived visibility information. + + + + + Measured or derived wind information. + + + + + + + Contains optional characteristics for the specific measured value (indexed to correspond with the defined characteristics of the measurement at the referenced measurement site) which override the static characteristics defined in the MeasurementSiteTable. + + + + + The type of equipment used to gather the raw information from which the data values are determined, e.g. 'loop', 'ANPR' (automatic number plate recognition) or 'urban traffic management system' (such as SCOOT). + + + + + + + + + + An identifiable single measurement site entry/record in the Measurement Site table. + + + + + The version of the measurement site record, managed by systems external to DATEX II. + + + + + The date/time that this version of the measurement site record was defined. This is managed by systems external to DATEX II. + + + + + Method of computation which is used to compute the measured value(s) at the measurement site. + + + + + The reference given to the measurement equipment at the site. + + + + + The type of equipment used to gather the raw information from which the data values are determined, e.g. 'loop', 'ANPR' (automatic number plate recognition) or 'urban traffic management system' (such as SCOOT). + + + + + Name of a measurement site. + + + + + The number of lanes over which the measured value is determined. + + + + + Identification of a measurement site used by the supplier or consumer systems. + + + + + Side of the road on which measurements are acquired, corresponding to the direction of the road. + + + + + Composition to the indexed measurement specific characteristics associated with the measurement site. The index uniquely associates the measurement characteristics with the corresponding indexed measurement values for the measurement site. + + + + + + + + + + + + + + + + + A Measurement Site Table comprising a number of sets of data, each describing the location from where a stream of measured data may be derived. Each location is known as a "measurement site" which can be a point, a linear road section or an area. + + + + + An alphanumeric identification for the measurement site table, possibly human readable. + + + + + The version of the measurement site table. + + + + + + + + + + A publication containing one or more Measurment Site Tables. + + + + + + + + + + + + + + Characteristics which are specific to an individual measurement type (specified in a known order) at the given measurement site. + + + + + The extent to which the value may be subject to error, measured as a percentage of the data value. + + + + + The time elapsed between the beginning and the end of the sampling or measurement period. This item may differ from the unit attribute; e.g. an hourly flow can be estimated from a 5-minute measurement period. + + + + + Coefficient required when a moving average is computed to give specific weights to the former average and the new data. A typical formula is, F being the smoothing factor: New average = (old average) F + (new data) (1 - F). + + + + + The lane to which the specific measurement at the measurement site relates. This overrides any lane specified for the measurement site as a whole. + + + + + The type of this specific measurement at the measurement site. + + + + + + + + + A measure of distance defined in metres in a floating point format. + + + + + + A measure of distance defined in metres in a non negative integer format. + + + + + + An indication of whether the associated instance of a SituationRecord is mobile (e.g. a march or parade moving along a road) or stationary. + + + + + An indication of whether the associated instance of a SituationRecord is mobile (e.g. a march or parade moving along a road) or stationary. + + + + + + + + Types of mobility relating to a situation element defined by a SituationReord. + + + + + The described element of a situation is moving. + + + + + The described element of a situation is stationary. + + + + + The mobility of the described element of a situation is unknown. + + + + + + + A list of the months of the year. + + + + + The month of January. + + + + + The month of February. + + + + + The month of March. + + + + + The month of April. + + + + + The month of May. + + + + + The month of June. + + + + + The month of July. + + + + + The month of August. + + + + + The month of September. + + + + + The month of October. + + + + + The month of November. + + + + + The month of December. + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + The specification of a location on a network (as a point or a linear location). + + + + + + + + + + + + + + Network management action which is applicable to the road network and its users. + + + + + + + Defines whether the network management instruction or the control resulting from a network management action is advisory or mandatory. + + + + + The ultimate traffic direction to which the network management is applicable. + + + + + The type of traffic to which the network management is applicable. + + + + + Places, in generic terms, at which the network management applies. + + + + + Defines whether the network management is initiated by an automatic system. + + + + + The characteristics of those vehicles for which the network management is applicable. + + + + + + + + + + A cause of this situation record which is not managed by the publication creator, i.e. one which is not represented by another situation record produced by the same publication creator. + + + + + + + Description of a cause which is not managed by the publication creator (e.g. an off network cause). + + + + + Indicates an external influence that may be the causation of components of a situation. + + + + + + + + + + An integer number whose value space is the set {0, 1, 2, ..., 2147483645, 2147483646, 2147483647}. + + + + + + Information about an event which is not on the road, but which may influence the behaviour of drivers and hence the characteristics of the traffic flow. + + + + + + + + + + + + Road surface conditions that are not related to the weather but which may affect driving conditions. + + + + + + + The type of road conditions which are not related to the weather. + + + + + + + + + + Types of road surface conditions which are not related to the weather. + + + + + Increased skid risk due to diesel on the road. + + + + + Increased skid risk due to leaves on road. + + + + + Increased skid risk and injury risk due to loose chippings on road. + + + + + Increased skid risk due to loose sand on road. + + + + + Increased skid risk due to mud on road. + + + + + Increased skid risk due to oil on road. + + + + + Increased skid risk due to petrol on road. + + + + + The road surface is damaged, severely rutted or potholed (i.e. it is in a poor state of repair). + + + + + The road surface is slippery due to an unspecified cause. + + + + + Other than as defined in this enumeration. + + + + + + + Number of axles characteristic of a vehicle. + + + + + The operator to be used in the vehicle characteristic comparison operation. + + + + + The total number of axles of an individual vehicle. + + + + + + + + Any stationary or moving obstacle of a physical nature (e.g. obstacles or vehicles from an earlier accident, shed loads on carriageway, rock fall, abnormal or dangerous loads, or animals etc.) which could disrupt or endanger traffic. + + + + + + + The number of obstructions that are partly or wholly blocking the road. + + + + + The mobility of the obstruction. + + + + + + + + + + Types of obstructions on the roadway. + + + + + An air crash adjacent to the roadway which may cause traffic disruption. + + + + + Children on the roadway which may cause traffic disruption. + + + + + Clearance work associated with an earlier traffic problem which may cause traffic disruption. + + + + + A crane is operating either on or adjacent to the road which may cause an obstruction to traffic. + + + + + Cyclists on the roadway which may cause traffic disruption. + + + + + Scattered fragments of wreckage or other material on the road. + + + + + A situation where an explosive or incendiary device has gone off. + + + + + A situation where there is danger of an explosion which may cause disruption to traffic. + + + + + Unspecified hazard(s) on the road which may cause traffic disruption. + + + + + Authorised and unauthorised vehicles are travelling at high speeds along the roadway. This may present a hazard to other vehicles. + + + + + House fire(s) near the road way resulting in smoke and driver distraction which may cause traffic disruption. + + + + + Incidents are chance occurrences involving vehicles from the traffic stream, which could present potential hazards to road users. This item excludes accidents. + + + + + Industrial accident near the roadway which may cause traffic disruption. + + + + + The road may be obstructed or traffic hindered due to objects laying on the roadway. + + + + + Objects falling from moving vehicles which are presenting a hazard to other vehicles. + + + + + Unspecified obstruction on the roadway which may cause traffic disruption. + + + + + People on the roadway which may cause traffic disruption. + + + + + A rail crash adjacent to the roadway which may cause traffic disruption. + + + + + A vehicle being driven without due care and attention is causing a hazard to other vehicles. + + + + + Work is being undertaken by emergency services which may present a hazard to road users. + + + + + Severe frost damage to the roadway causing an obstruction to traffic. + + + + + Spillage of transported goods on the roadway which may cause traffic disruption. + + + + + Snow and ice debris on the roadway which may present a hazard to road users. + + + + + Substances are spilling out from a moving vehicle which is presenting a hazard to other road users. + + + + + Includes all situations where a spillage has occurred on the roadway due to an earlier incident. + + + + + An accident area which has not been protected and may present a hazard to road users. + + + + + Other than as defined in this enumeration. + + + + + + + The non negative offset distance from the ALERT-C referenced point to the actual point. + + + + + The non negative offset distance from the ALERT-C referenced point to the actual point. The ALERT-C locations in the Primary and Secondary locations must always encompass the linear section being specified, thus Offset Distance is towards the other point. + + + + + + + + Modes of operation of the exchange. + + + + + "Subscription Management Mechanism" - a specialized operating mode to handle subscriptions. + + + + + "Publisher Push on Occurrence" operating mode. + + + + + "Publisher Push Periodic" operating mode. + + + + + "Client Pull" operating mode. + + + + + + + Actions that a traffic operator can decide to implement to prevent or help correct dangerous or poor driving conditions, including maintenance of the road infrastructure. + + + + + + + Indicates whether the actions to be undertaken by the operator are the result of an internal operation or external influence. + + + + + The status of the defined operator action. + + + + + + + + + + Origins of operator actions. + + + + + OPERATOR action originated externally to the authority which is taking the action. + + + + + OPERATOR action originated within the authority which is taking the action. + + + + + + + List of statuses associated with operator actions. + + + + + A request, either internal or external, has been received to implement an action. It has neither been approved nor has any activity yet been undertaken to implement the action. + + + + + The action has been approved by the recipient of the request but activity to implement the action has not yet commenced. + + + + + The action is in the process of being implemented. + + + + + The action is fully implemented. + + + + + The action has been rejected by the recipient of the request and hence is not implemented. + + + + + A request, either internal or external, has been received to terminate the action, but activity to terminate the action has not yet commenced. + + + + + The action is in the process of being terminated either because the action has reached the end of its validity period or because new circumstances have arisen and its termination has been requested, e.g. because of a traffic jam on the alternative route. + + + + + + + A continuous or discontinuous period of validity defined by overall bounding start and end times and the possible intersection of valid periods (potentially recurring) with the complement of exception periods (also potentially recurring). + + + + + Start of bounding period of validity defined by date and time. + + + + + End of bounding period of validity defined by date and time. + + + + + A single time period, a recurring time period or a set of different recurring time periods during which validity is true. + + + + + A single time period, a recurring time period or a set of different recurring time periods during which validity is false. + + + + + + + + Levels of severity of a situation as whole assessed by the impact that the situation may have on traffic flow as perceived by the supplier. + + + + + Perceived by supplier as being of the highest level. + + + + + Perceived by supplier as being of a high level. + + + + + Perceived by supplier as being of a medium level. + + + + + Perceived by supplier as being of a low level. + + + + + Perceived by supplier as being of the lowest discernible level. + + + + + Perceived by supplier as having a severity rating of none. + + + + + Perceived by supplier as being of an unknown level. + + + + + + + Passenger car units per hour. + + + + + + A payload publication of traffic related information or associated management information created at a specific point in time that can be exchanged via a DATEX II interface. + + + + + A description of the information which is to be found in the publications originating from the particular feed (URL). + + + + + A classification of the information which is to be found in the publications originating from the particular feed (URL). Different URLs from one source may be used to filter the information which is made available to clients (e.g. by type or location). + + + + + Date/time at which the payload publication was created. + + + + + + + + The default language used throughout the payload publications, specified by an ISO 639-2 3-alpha code. + + + + + + A measure of percentage. + + + + + + A continuous time period or a set of discontinuous time periods defined by the intersection of a set of criteria all within an overall delimiting interval. + + + + + Start of period. + + + + + End of a period. + + + + + The name of the period. + + + + + A recurring period of a day. + + + + + A recurring period defined in terms of days of the week, weeks of the month and months of the year. + + + + + + + + Categories of person. + + + + + Adult. + + + + + Child (age 4 to 17). + + + + + A member of the emergency services, other than the police. + + + + + A member of the fire service. + + + + + Infant (age 0 to 3). + + + + + A member of the medical service. + + + + + A member of the general public. + + + + + A member of the police force. + + + + + A politician. + + + + + A passenger on or from a public transport vehicle. + + + + + A sick person. + + + + + A traffic patrol officer of the road authority. + + + + + A member of the local traffic warden service. + + + + + A very important person. + + + + + + + List of types of places. + + + + + Around bends in the road. + + + + + At customs posts. + + + + + At high altitudes. + + + + + At toll plazas. + + + + + In galleries. + + + + + In low lying areas. + + + + + In roadworks areas. + + + + + In shaded areas. + + + + + In the city centre. + + + + + In the inner city areas. + + + + + In tunnels. + + + + + On bridges. + + + + + On elevated sections of the road. + + + + + On entering or leaving tunnels. + + + + + On entry into the country. + + + + + On flyover sections of the road, i.e. sections of the road which pass over another road. + + + + + On leaving the country. + + + + + On motorways. + + + + + On non motorways. + + + + + On roundabouts. + + + + + On slip roads. + + + + + On underground sections of the road. + + + + + On underpasses, i.e. sections of the road which pass under another road. + + + + + Over the crest of hills. + + + + + Other than as defined in this enumeration. + + + + + + + A single geospatial point. + + + + + + + + + + + + + + + + A single point defined only by a coordinate set with an optional bearing direction. + + + + + A bearing at the point measured in degrees (0 - 359). + + + + + + + + + A pair of coordinates defining the geodetic position of a single point using the European Terrestrial Reference System 1989 (ETRS89). + + + + + Latitude in decimal degrees using the European Terrestrial Reference System 1989 (ETRS89). + + + + + Longitude in decimal degrees using the European Terrestrial Reference System 1989 (ETRS89). + + + + + + + + The specification of the destination of a defined route or itinerary which is a point. + + + + + + + + + + + + + Types of pollutant that can be measured in the atmosphere. + + + + + Benzene, toluene or xylene. + + + + + Carbon monoxide. + + + + + Lead. + + + + + Methane. + + + + + Nitric oxide. + + + + + Nitrogen dioxide. + + + + + Nitrogen monoxide. + + + + + Nitrogen oxides. + + + + + Non-methane hydrocarbons. + + + + + Ozone. + + + + + Particulate matter which passes through a size-selective inlet with a 50% cut-off efficiency at an aerodynamic diameter of 10 µm (micrometres). + + + + + Polycyclic aromatic hydrocarbons. + + + + + Primary particulate particles. + + + + + Sulphur dioxide. + + + + + Total hydrocarbons, i.e. including methane and non-methane. + + + + + + + Measurements of atmospheric pollution. + + + + + + + + + + + + + Details of atmospheric pollution. + + + + + The average concentration of the pollutant in the air. + + + + + The type of pollutant in the air. + + + + + + + + Any environmental conditions which may be affecting the driving conditions on the road. + + + + + + + The type of environment condition which is affecting driving conditions. + + + + + + + + + + + + + + + + Types of poor environmental conditions. + + + + + Adverse weather conditions are affecting driving conditions. + + + + + Heavy snowfall in combination with strong winds, limiting visibility to 50m or less. + + + + + Dust blowing across the roadway causing significantly reduced visibility. + + + + + Fallen snow moving due to the forces of wind. + + + + + Strong cross winds across the direction of the roadway (e.g. on a ridge or bridge). + + + + + Large falling ice pellets or frozen rain capable of causing injury or damage to property. + + + + + Dense fog, limiting visibility to 50m or less. + + + + + Eclipse, either partial or full, of the sun causing low light levels during normal daylight period. + + + + + Abnormally low temperatures. + + + + + Abnormally high expected maximum temperature. + + + + + Fog, visibility more than 50m. + + + + + Fog, in conjunction with sub-zero air temperatures causing possible freezing of road surface. + + + + + Frost can be expected. + + + + + Winds between 60 km/h and 90 km/h. + + + + + Constantly varying winds, significant at times. + + + + + Falling ice pellets or frozen rain. + + + + + A thick coating of frost can be expected. + + + + + Heavy rainfall, limiting visibility to 50m or less. + + + + + Dense falling snow, limiting visibility to 50m or less. + + + + + Winds over 120 km/h. + + + + + Difficult visibility conditions created by low elevation sunlight. + + + + + Misty conditions impairing vision over 100m. + + + + + High concentrations of ozone are present. + + + + + Pollution of an unspecified nature. + + + + + Fog, in which intermittent areas of dense fog may be encountered. + + + + + Unspecified precipitation is falling on the area. + + + + + Rain, visibility more than 50m. + + + + + Falling rain is changing to snow. + + + + + Sand blowing across the roadway causing significantly reduced visibility. + + + + + Pollution from exhaust fumes has reached a level sufficient to cause concern. + + + + + Environmental warning of very poor air quality resulting from smog. + + + + + Light rain or intermittent rain. + + + + + Rain mingled with snow or hail. + + + + + Environmental warning of poor air quality resulting from smog. + + + + + Smoke drifting across the roadway causing significantly reduced visibility. + + + + + Falling snow is changing to rain. + + + + + Falling snow, visibility more than 50m. + + + + + Reduced visibility resulting from spray created by moving vehicles on a wet roadway. + + + + + Winds between 90 km/h and 120 km/h. + + + + + Constantly varying winds, strong at times. + + + + + Winds between 40 km/h and 60 km/h. + + + + + Large numbers of insects which create a hazard for road users through reduced visibility. + + + + + The temperature is falling significantly. + + + + + Electrical storms, generally with heavy rain. + + + + + Very violent, whirling windstorms affecting narrow strips of country. + + + + + Constantly varying winds, very strong at times. + + + + + Environmental conditions causing reduced visibility. + + + + + Falling snow in blizzard conditions resulting in very reduced visibility. + + + + + Heavy rain, sleet, hail and/or snow in combination with strong winds, limiting visibility to 50m or less. + + + + + + + Details of precipitation (rain, snow etc.). + + + + + The equivalent depth of the water layer resulting from precipitation or deposition on a non-porous horizontal surface. Non liquid precipitation are considered as melted in water. + + + + + The height of the precipitation received per unit time. + + + + + The type of precipitation which is affecting the driving conditions. + + + + + + + + Measurements of precipitation. + + + + + + + Indication of whether precipitation is present or not. True indicates there is no precipitation. + + + + + + + + + + + Types of precipitation. + + + + + Light, fine rain. + + + + + Freezing rain. + + + + + Small balls of ice and compacted snow. + + + + + Rain. + + + + + Wet snow mixed with rain. + + + + + Snow. + + + + + + + An identifiable instance of a single predefined location. + + + + + A name assigned to the predefined location (e.g. extracted out of the network operator's gazetteer). + + + + + + + + + + An identifiable instance of a single set of predefined locations. + + + + + A name assigned to the set of predefined locations. + + + + + The version of the predefined location set. + + + + + + + + + + A publication containing one or more sets of predefined locations. + + + + + + + + + + + + + + Levels of confidence that the sender has in the information, ordered {certain, probable, risk of}. + + + + + The source is completely certain of the occurrence of the situation record version content. + + + + + The source has a reasonably high level of confidence of the occurrence of the situation record version content. + + + + + The source has a moderate level of confidence of the occurrence of the situation record version content. + + + + + + + Organised public event which could disrupt traffic. + + + + + + + Type of public event which could disrupt traffic. + + + + + + + + + + Type of public event (Datex2 PublicEventTypeEnum and PublicEventType2Enum combined) + + + + + Unknown + + + + + Agricultural show or event which could disrupt traffic. + + + + + Air show or other aeronautical event which could disrupt traffic. + + + + + Art event that could disrupt traffic. + + + + + Athletics event that could disrupt traffic. + + + + + Beer festival that could disrupt traffic. + + + + + Ball game event that could disrupt traffic. + + + + + Baseball game event that could disrupt traffic. + + + + + Basketball game event that could disrupt traffic. + + + + + Bicycle race that could disrupt traffic. + + + + + Regatta (boat race event of sailing, powerboat or rowing) that could disrupt traffic. + + + + + Boat show which could disrupt traffic. + + + + + Boxing event that could disrupt traffic. + + + + + Bull fighting event that could disrupt traffic. + + + + + Formal or religious act, rite or ceremony that could disrupt traffic. + + + + + Commercial event which could disrupt traffic. + + + + + Concert event that could disrupt traffic. + + + + + Cricket match that could disrupt traffic. + + + + + Cultural event which could disrupt traffic. + + + + + Major display or trade show which could disrupt traffic. + + + + + Periodic (e.g. annual), often traditional, gathering for entertainment or trade promotion, which could disrupt traffic. + + + + + Celebratory event or series of events which could disrupt traffic. + + + + + Film festival that could disrupt traffic. + + + + + Film or TV making event which could disrupt traffic. + + + + + Fireworks display that could disrupt traffic. + + + + + Flower event that could disrupt traffic. + + + + + Food festival that could disrupt traffic. + + + + + Football match that could disrupt traffic. + + + + + Periodic (e.g. annual), often traditional, gathering for entertainment, which could disrupt traffic. + + + + + Gardening and/or flower show or event which could disrupt traffic. + + + + + Golf tournament event that could disrupt traffic. + + + + + Hockey game event that could disrupt traffic. + + + + + Horse race meeting that could disrupt traffic. + + + + + Large sporting event of an international nature that could disrupt traffic. + + + + + Significant organised event either on or near the roadway which could disrupt traffic. + + + + + Marathon, cross-country or road running event that could disrupt traffic. + + + + + Periodic (e.g. weekly) gathering for buying and selling, which could disrupt traffic. + + + + + Sports match of unspecified type that could disrupt traffic. + + + + + Motor show which could disrupt traffic. + + + + + Motor sport race meeting that could disrupt traffic. + + + + + Open air concert that could disrupt traffic. + + + + + Formal display or organised procession which could disrupt traffic. + + + + + An organised procession which could disrupt traffic. + + + + + Race meeting (other than horse or motor sport) that could disrupt traffic. + + + + + Rugby match that could disrupt traffic. + + + + + A series of significant organised events either on or near the roadway which could disrupt traffic. + + + + + Entertainment event that could disrupt traffic. + + + + + Horse showing jumping and tournament event that could disrupt traffic. + + + + + Sound and light show that could disrupt traffic. + + + + + Sports event of unspecified type that could disrupt traffic. + + + + + Public ceremony or visit of national or international significance which could disrupt traffic. + + + + + Street festival that could disrupt traffic. + + + + + Tennis tournament that could disrupt traffic. + + + + + Theatrical event that could disrupt traffic. + + + + + Sporting event or series of events of unspecified type lasting more than one day which could disrupt traffic. + + + + + A periodic (e.g. annual), often traditional, gathering for trade promotion, which could disrupt traffic. + + + + + Water sports meeting that could disrupt traffic. + + + + + Wine festival that could disrupt traffic. + + + + + Winter sports meeting or event (e.g. skiing, ski jumping, skating) that could disrupt traffic. + + + + + Other than as defined in this enumeration. + + + + + + + A reference to an identifiable object instance (e.g. a GUID reference). + + + + + + Directions of traffic flow relative to sequential numbering scheme of reference points. For reference points along a road the direction in which they are identified (by a sequential numbering scheme) is the positive direction. + + + + + Indicates that both directions of traffic flow are affected by the situation or relate to the traffic data. + + + + + Indicates that the direction of traffic flow affected by the situation or related to the traffic data is in the opposite sense to the ordering (by their sequential numbering scheme) of the marker posts. + + + + + Indicates that the direction of traffic flow affected by the situation or related to the traffic data is in the same sense as the ordering (by their sequential numbering scheme) of the marker posts. + + + + + Indicates that the direction of traffic flow affected by the situation or related to the traffic data is unknown. + + + + + + + Specification of the default value for traffic status on a set of predefined locations on the road network. Only when traffic status differs from this value at a location in the set need a value be sent. + + + + + A reference to a predefined location set. + + + + + The default value of traffic status that can be assumed to apply to the locations defined by the associated predefined location set. + + + + + + + + Levels of assessment of the traffic flow conditions relative to normally expected conditions at this date/time. + + + + + Traffic is very much heavier than normally expected at the specified location at this date/time. + + + + + Traffic is heavier than normally expected at the specified location at this date/time. + + + + + Traffic flow is normal at the specified location at this date/time. + + + + + Traffic is lighter than normally expected at the specified location at this date/time. + + + + + Traffic is very much lighter than normally expected at the specified location at this date/time. + + + + + + + Types of requests that may be made by a client on a supplier. + + + + + A request for the supplier's catalogue. + + + + + A request for the client's filter as currently stored by the supplier. + + + + + A request for current data. + + + + + A request for historical data, i.e. data which was valid within an historical time window. + + + + + A request for a client's subscription as currently held by a supplier. + + + + + + + Rerouting management action that is issued by the network/road operator. + + + + + + + Type of rerouting management action instigated by operator. + + + + + A description of the rerouting itinerary. + + + + + Indication of whether the rerouting is signed. + + + + + The specified entry on to another road at which the alternative route commences. + + + + + The specified exit from the normal route/road at which the alternative route commences. + + + + + The intersecting road or the junction at which the alternative route commences. + + + + + The definition of the alternative route (rerouting) specified as an ordered set of locations (itinerary) which may be specific to one or more defined destinations. + + + + + + + + + + Management actions relating to rerouting. + + + + + Do not follow diversion signs. + + + + + Rerouted traffic is not to use the specified entry onto the identified road to commence the alternative route. + + + + + Rerouted traffic is not to use the specified exit from the identified road to commence the alternative route. + + + + + Rerouted traffic is not to use the specified intersection or junction. + + + + + Rerouted traffic is to follow the diversion signs. + + + + + Rerouted traffic is to follow local diversion. + + + + + Rerouted traffic is to follow the special diversion markers. + + + + + Rerouted traffic is to use the specified entry onto the identified road to commence the alternative route. + + + + + Rerouted traffic is to use the specified exit from the identified road to commence the alternative route. + + + + + Rerouted traffic is to use the specified intersection or junction to commence the alternative route. + + + + + + + Types of response that a supplier can return to a requesting client. + + + + + An acknowledgement that the supplier has received and complied with the client's request. + + + + + A notification that the supplier has denied the client's request for a catalogue. + + + + + A notification that the supplier has denied the client's request for a filter. + + + + + A notification that the supplier has denied the client's request for a data. + + + + + A notification that the supplier has denied the client's request for a subscription. + + + + + + + Conditions of the road surface which may affect driving conditions. These may be related to the weather (e.g. ice, snow etc.) or to other conditions (e.g. oil, mud, leaves etc. on the road) + + + + + + + + + + + + Types of road maintenance. + + + + + Clearance work of an unspecified nature. + + + + + Controlled avalanche work. + + + + + Installation of new equipments or systems on or along-side the roadway. + + + + + Grass cutting work. + + + + + Maintenance of road, associated infrastructure or equipments. + + + + + Works which are overhead of the carriageway. + + + + + Repair work to road, associated infrastructure or equipments. + + + + + Work associated with relaying or renewal of worn-out road surface (pavement). + + + + + Striping and repainting of road markings, plus placement or replacement of reflecting studs (cats' eyes). + + + + + Road side work of an unspecified nature. + + + + + Roadworks are completed and are being cleared. + + + + + Road maintenance or improvement activity of an unspecified nature which may potentially cause traffic disruption. + + + + + Rock fall preventative maintenance. + + + + + Spreading of salt and / or grit on the road surface to prevent or melt snow or ice. + + + + + Snowploughs or other similar mechanical devices in use to clear snow from the road. + + + + + Tree and vegetation cutting work adjacent to the roadway. + + + + + Other than as defined in this enumeration. + + + + + + + Details of disruption to normal road operator services + + + + + + + The type of road operator service which is disrupted. + + + + + + + + + + Types of disruption to road operator services relevant to road users. + + + + + Emergency telephone number for use by public to report incidents is out of service. + + + + + Road information service telephone number is out of service. + + + + + No traffic officer patrol service is operating. + + + + + + + Road, carriageway or lane management action that is instigated by the network/road operator. + + + + + + + Type of road, carriageway or lane management action instigated by operator. + + + + + The minimum number of persons required in a vehicle in order for it to be allowed to transit the specified road section. + + + + + The carriageway which is the subject of the management action. + + + + + The lane which is the subject of the management action. + + + + + + + + + + Management actions relating to road, carriageway or lane usage. + + + + + Dedicated car pool lane(s) are in operation for vehicles carrying at least the specified number of occupants. + + + + + Carriageway closures are in operation at the specified location. + + + + + Clear a lane for emergency vehicles. + + + + + Clear a lane for snow ploughs and gritting vehicles. + + + + + The road is closed to vehicles with the specified characteristics or all, if none defined, for the duration of the winter. + + + + + Two-way traffic is temporarily sharing a single carriageway. + + + + + Do not use the specified lane(s) or carriageway(s). + + + + + The hard shoulder is open as an operational lane. + + + + + Road closures occur intermittently on the specified road in the specified direction for short durations. + + + + + Keep to the left. + + + + + Keep to the right. + + + + + Lane closures are in operation at the specified location for vehicles with the specified characteristics or all, if none defined, in the specified direction. + + + + + Lane deviations are in operation at the specified location. + + + + + Normal lane widths are temporarily reduced. + + + + + A new layout of lanes/carriageway has been implemented associated with roadworks. + + + + + Every night the road is closed to vehicles with the specified characteristics or all, if none defined, in the specified direction by decision of the appropriate authorities. + + + + + The road has been cleared of earlier reported problems. + + + + + The road is closed to vehicles with the specified characteristics or all, if none defined, in the specified direction. + + + + + Traffic officers or police are driving slowly in front of a queue of traffic to create a gap in the traffic to allow for clearance activities to take place in safety on the road ahead. + + + + + Dedicated rush (peak) hour lane(s) are in operation. + + + + + Traffic is being controlled to move in alternate single lines. This control may be undertaken by traffic lights or flagman. + + + + + Dedicated tidal flow lane(s) are in operation in the specified direction. + + + + + Traffic is being directed back down the opposite carriageway, possibly requiring the temporary removal of the central crash barrier. + + + + + The specified lane(s) or carriageway(s) may be used. The normal lane(s) or carriageway(s) restrictions are not currently in force. + + + + + Use the specified lane(s) or carriageway(s). + + + + + Vehicles are being stored on the roadway and/or at a rest area or service area at the specified location. + + + + + Other than as defined in this enumeration. + + + + + + + Details of road side assistance required or being given. + + + + + + + Indicates the nature of the road side assistance that will be, is or has been provided. + + + + + + + + + + Types of road side assistance. + + + + + Air ambulance assistance. + + + + + Bus passenger assistance. + + + + + Emergency services assistance. + + + + + First aid assistance. + + + + + Food delivery. + + + + + Helicopter rescue. + + + + + Vehicle repair assistance. + + + + + Vehicle recovery. + + + + + Other than as defined in this enumeration. + + + + + + + One of a sequence of roadside reference points along a road, normally spaced at regular intervals along each carriageway with a sequence of identification from a known starting point. + + + + + Roadside reference point identifier, unique on the specified road. + + + + + Identification of the road administration area which contains the reference point. + + + + + Name of a road. + + + + + Identifier/number of the road on which the reference point is located. + + + + + The direction at the reference point in terms of general destination direction. + + + + + The direction at the reference point relative to the sequence direction of the reference points along the road. + + + + + The distance in metres from the previous road reference point in the sequence indicated by the direction. + + + + + The distance in metres to the next road reference point in the sequence indicated by the direction. + + + + + Identification of whether the reference point is on an elevated section of carriageway or not (true = elevated section). This may distinguish it from a point having coincident latitude / longitude on a carriageway passing beneath the elevated section. + + + + + Description of the roadside reference point. + + + + + The distance of the roadside reference point from the starting point of the sequence on the road. + + + + + + + + A linear section along a single road defined between two points on the same road identified by roadside reference points. + + + + + + + + + + The point (called Primary point) which is at the downstream end of a linear road section. The point is identified by a roadside reference point. + + + + + + + + + The point (called Secondary point) which is at the upstream end of a linear road section. The point is identified by a roadside reference point. + + + + + + + + + Details of disruption to normal roadside services (e.g. specific services at a service areas). + + + + + + + The type of roadside service which is disrupted. + + + + + + + + + + Types of disruption to roadside services relevant to road users. + + + + + Bar closed. + + + + + There is a shortage of diesel at the specified location. + + + + + There is a shortage of fuel (of one or more types) at the specified location. + + + + + There is a shortage of liquid petroleum gas at the specified location. + + + + + There is a shortage of methane at the specified location. + + + + + There is no diesel available for heavy goods vehicles at the specified location. + + + + + There is no diesel available for light vehicles at the specified location. + + + + + There are no available public telephones at the specified location. + + + + + There are no available public toilet facilities at the specified location. + + + + + There are no available vehicle repair facilities at the specified location. + + + + + There is a shortage of petrol at the specified location. + + + + + The rest area at the specified location is busy. + + + + + The rest area at the specified location is closed. + + + + + The rest area at the specified location is close to capacity and motorists are advised to seek an alternative. + + + + + The service area at the specified location is close to capacity. + + + + + The service area at the specified location is closed. + + + + + The fuel station at the specified service area is closed. + + + + + The service area at the specified location is close to capacity and motorists are advised to seek an alternative. + + + + + The restaurant at the specified service area is closed. + + + + + Some commercial services are closed at the specified location. + + + + + There is a shortage of water at the specified location. + + + + + + + Measurements of road surface conditions which are related to the weather. + + + + + + + + + + + + + Measurements of the road surface condition which relate specifically to the weather. + + + + + Indicates the rate at which de-icing agents have been applied to the specified road. + + + + + Indicates the concentration of de-icing agent present in surface water on the specified road. + + + + + The measured depth of snow recorded on the road surface. + + + + + The road surface temperature down to which the surface is protected from freezing. + + + + + The temperature measured on the road surface. + + + + + Indicates the depth of standing water to be found on the road surface. + + + + + + + + Highway maintenance, installation and construction activities that may potentially affect traffic operations. + + + + + + + Indicates in general terms the expected duration of the roadworks. + + + + + Indicates in general terms the scale of the roadworks. + + + + + Indicates that the road section where the roadworks are located is under traffic or not under traffic. 'True' indicates the road is under traffic. + + + + + Indication of whether the roadworks are considered to be urgent. 'True' indicates they are urgent. + + + + + + + + + + + + + Expected durations of roadworks in general terms. + + + + + The roadworks are expected to last for a long term ( duration > 6 months) + + + + + The roadworks are expected to last for a medium term (1 month < duration < = 6 months). + + + + + The roadworks are expected to last for a short term ( duration < = 1 month) + + + + + + + Scales of roadworks in general terms. + + + + + The roadworks are of a major scale. + + + + + The roadworks are of a medium scale. + + + + + The roadworks are of a minor scale. + + + + + + + Seconds. + + + + + + Provides information on variable message and matrix signs and the information currently displayed. + + + + + + + Indicates the appropriate pictogram taken from the standardised DATEX pictogram list. + + + + + Indicates which pictogram list is referenced. + + + + + Indicates the chosen pictogram within the pictogram list indicated by the pictogram list entry. + + + + + The reason why the sign has been set. + + + + + The organisation or authority which set the sign. + + + + + A reference to indicate the electronic addess to aid identification of the subject sign. + + + + + The date/time at which the sign was last set. + + + + + + + + + + A measurement data set derived from a specific measurement site. + + + + + A reference to a measurement site defined in a Measurement Site table. + + + + + The time associated with the set of measurements. It may be the time of the beginning, the end or the middle of the measurement period. + + + + + Composition to the indexed measured value associated with the measurement site. The index uniquely associates the measurement value with the corresponding indexed measurement characteristics defined for the measurement site. + + + + + + + + + + + + + + + An identifiable instance of a traffic/travel situation comprising one or more traffic/travel circumstances which are linked by one or more causal relationships. Each traffic/travel circumstance is represented by a Situation Record. + + + + + The overall assessment of the impact (in terms of severity) that the situation as a whole is having, or will have, on the traffic flow as perceived by the supplier. + + + + + A reference to a related situation via its unique identifier. + + + + + Each situation may iterate through a series of versions during its life time. The situation version uniquely identifies the version of the situation. It is generated and used by systems external to DATEX II. + + + + + The date/time that this current version of the Situation was written into the database of the supplier which is involved in the data exchange. + + + + + + + + + + + A publication containing zero or more traffic/travel situations. + + + + + + + + + + + + + An identifiable instance of a single record/element within a situation. + + + + + A unique alphanumeric reference (either an external reference or GUID) of the SituationRecord object (the first version of the record) that was created by the original supplier. + + + + + The date/time that the SituationRecord object (the first version of the record) was created by the original supplier. + + + + + The date/time that the information represented by the current version of the SituationRecord was observed by the original (potentially external) source of the information. + + + + + Each record within a situation may iterate through a series of versions during its life time. The situation record version uniquely identifies the version of a particular record within a situation. It is generated and used by systems external to DATEX II. + + + + + The date/time that this current version of the SituationRecord was written into the database of the supplier which is involved in the data exchange. + + + + + The date/time that the current version of the Situation Record was written into the database of the original supplier in the supply chain. + + + + + The extent to which the related information may be circulated, according to the recipient type. Recipients must comply with this confidentiality statement. This overrides any confidentiality defined for the situation as a whole in the header information. + + + + + An assessment of the degree of likelihood that the reported event will occur. + + + + + + + + + A comment which may be freely distributed to the general public + + + + + A comment which should not be distributed to the general public. + + + + + + + + + + + + Details of the source from which the information was obtained. + + + + + ISO 3166-1 two character country code of the source of the information. + + + + + Identifier of the organisation or the traffic equipment which has produced the information relating to this version of the information. + + + + + The name of the organisation which has produced the information relating to this version of the information. + + + + + Information about the technology used for measuring the data or the method used for obtaining qualitative descriptions relating to this version of the information. + + + + + An indication as to whether the source deems the associated information to be reliable/correct. "True" indicates it is deemed reliable. + + + + + + + + Type of sources from which situation information may be derived. + + + + + A patrol of an automobile club. + + + + + A camera observation (either still or video camera). + + + + + An operator of freight vehicles. + + + + + A station dedicated to the monitoring of the road network by processing inductive loop information. + + + + + A station dedicated to the monitoring of the road network by processing infrared image information. + + + + + A station dedicated to the monitoring of the road network by processing microwave information. + + + + + See also 'microwaveMonitoringStation' + + + + + A caller using a mobile telephone (who may or may not be on the road network). + + + + + Emergency service patrols other than police. + + + + + See also 'nonPoliceEmergencyServicePatrol' + + + + + Other sources of information. + + + + + Personnel from a vehicle belonging to the road operator or authority or any emergency service, including authorised breakdown service organisations. + + + + + A police patrol. + + + + + A private breakdown service. + + + + + A utility organisation, either public or private. + + + + + A motorist who is an officially registered observer. + + + + + See also 'registeredMotoristObserver' + + + + + A road authority. + + + + + A patrol of the road operator or authority. + + + + + A caller who is using an emergency roadside telephone. + + + + + A spotter aircraft of an organisation specifically assigned to the monitoring of the traffic network. + + + + + A station, usually automatic, dedicated to the monitoring of the road network. + + + + + An operator of a transit service, e.g. bus link operator. + + + + + A specially equipped vehicle used to provide measurements. + + + + + A station dedicated to the monitoring of the road network by processing video image information. + + + + + + + Speed management action that is instigated by the network/road operator. + + + + + + + Type of speed management action instigated by operator. + + + + + Temporary limit defining the maximum advisory or mandatory speed of vehicles. + + + + + + + + + + Management actions relating to speed. + + + + + Automatic speed control measures are in place at the specified location, whereby speed limits are set by an automatic system which is triggered by traffic sensing equipment. + + + + + Do not slow down unnecessarily. + + + + + Observe speed limit. + + + + + Police speed checks are in operation. + + + + + Reduce your speed. + + + + + Other than as defined in this enumeration. + + + + + + + Details of percentage (from an observation set) of vehicles whose speeds fall below a stated value. + + + + + The percentage of vehicles from the observation set whose speeds fall below the stated speed (speedPercentile). + + + + + The speed below which the associated percentage of vehicles in the measurement set are travelling at. + + + + + + + + A character string whose value space is the set of finite-length sequences of characters. Every character has a corresponding Universal Character Set code point (as defined in ISO/IEC 10646), which is an integer. + + + + + + + + The subjects with which the roadworks are associated. + + + + + The subject type of the roadworks (i.e. on what the construction or maintenance work is being performed). + + + + + The number of subjects on which the roadworks (construction or maintenance) are being performed. + + + + + + + + Subject types of construction or maintenance work. + + + + + Bridge on, over or under the highway. + + + + + Buried cables under or along the highway. + + + + + Unspecified buried services on, under or along the highway. + + + + + Crash barrier. + + + + + Gallery. + + + + + Gantry over or above the roadway. + + + + + Gas mains. + + + + + Motorway or major road interchange. + + + + + Motorway or major road junction. + + + + + Level-crossing or associated equipment. + + + + + Road lighting system. + + + + + Equipment used for determining traffic measurements. + + + + + Installations along the roadway designed to reduce road noise in the surrounding environment. + + + + + Road. + + + + + Roadside drains. + + + + + Roadside embankment. + + + + + Roadside equipment. + + + + + Road signs. + + + + + Roundabout. + + + + + Toll gate. + + + + + Road tunnel. + + + + + Water main under or along the highway. + + + + + Other than as defined in this enumeration. + + + + + + + This item contains all information relating to a customer subscription. + + + + + Indicates that this subscription has to be deleted. + + + + + Value of the interval of data delivery in the "periodic" delivery mode. + + + + + The mode of operation of the exchange. + + + + + Gives the date/time at which the subscription becomes active. + + + + + The current state of the the client's subscription. + + + + + Gives the date/time at which the subscription expires. + + + + + The type of updates of situations requested by the client. + + + + + + + + + + + The state of a client's current subscription. + + + + + The client's subscription as registered with a supplier is currently active. + + + + + The client's subscription as registered with a supplier is currently suspended. + + + + + + + A collection of supplementary positional information which improves the precision of the location. + + + + + Indicates the section of carriageway to which the location relates. + + + + + Indicates whether the pedestrian footpath is the subject or part of the subject of the location. (True = footpath is subject) + + + + + Indicates the specific lane to which the location relates. + + + + + This indicates the length of road measured in metres affected by the associated traffic element. + + + + + Specifies a descriptor which helps to identify the specific location. + + + + + Indicates that the location is given with a precision which is better than the stated value in metres. + + + + + The sequential number of an exit/entrance ramp from a given location in a given direction (normally used to indicate a specific exit/entrance in a complex junction/intersection). + + + + + + + + The details of a DATEX II target client. + + + + + The IP address of a DATEX II target client. + + + + + The exchange protocol used between the supplier and the client. + + + + + + + + Details of atmospheric temperature. + + + + + The air temperature measured in the shade between 1.5 and 2 metres above ground level. + + + + + The temperature to which the air would have to cool (at constant pressure and water vapour content) in order to reach saturation. + + + + + The expected maximum temperature during the forecast period. + + + + + The expected minimum temperature during the forecast period. + + + + + + + + A measure of temperature defined in degrees Celsius. + + + + + + Measurements of atmospheric temperature. + + + + + + + + + + + + + An instant of time that recurs every day. The value space of time is the space of time of day values as defined in § 5.3 of [ISO 8601]. Specifically, it is a set of zero-duration daily time instances. + + + + + + Specification of a continuous period within a 24 hour period by times. + + + + + + + Start of time period. + + + + + End of time period. + + + + + + + + + + Specification of a continuous period of time within a 24 hour period. + + + + + + + + A measure of weight defined in metric tonnes. + + + + + + A descriptor for describing an area location. + + + + + + + The nature of the descriptor used to define the location under consideration (derived from the TPEG Loc table 03). + + + + + + + + + + A geographic or geometric area defined by a TPEG-Loc structure which may include height information for additional geospatial discrimination. + + + + + The type of TPEG location. + + + + + + + + + A collection of information providing descriptive references to locations using the TPEG-Loc location referencing approach. + + + + + A text string which describes or elaborates the location. + + + + + + + + A point on the road network which is framed between two other points on the same road. + + + + + + + The type of TPEG location. + + + + + A single non junction point on the road network which is framed between two other specified points on the road network. + + + + + The location at the down stream end of the section of road which frames the TPEGFramedPoint. + + + + + The location at the up stream end of the section of road which frames the TPEGFramedPoint. + + + + + + + + + + A geometric area defined by a centre point and a radius. + + + + + + + The radius of the geometric area identified. + + + + + Centre point of a circular geometric area. + + + + + Name of area. + + + + + + + + + + Height information which provides additional discrimination for the applicable area. + + + + + A measurement of height using TPEG-Loc location referencing. + + + + + A descriptive identification of relative height using TPEG-Loc location referencing. + + + + + + + + A descriptor for describing a junction by defining the intersecting roads. + + + + + + + The nature of the descriptor used to define the location under consideration (derived from the TPEG Loc table 03). + + + + + + + + + + A point on the road network which is a road junction point. + + + + + + + + A name which identifies a junction point on the road network + + + + + A descriptor for describing a junction by identifying the intersecting roads at a road junction. + + + + + A descriptive name which helps to identify the junction point. + + + + + + + + + + A descriptor for describing a point at a junction on a road network. + + + + + + + The nature of the descriptor used to define the location under consideration (derived from the TPEG Loc table 03). + + + + + + + + + + A linear section along a single road defined between two points on the same road by a TPEG-Loc structure. + + + + + The direction of traffic flow. + + + + + The type of TPEG location. + + + + + The location at the down stream end of the linear section of road. + + + + + The location at the up stream end of the linear section of road. + + + + + + + + Types of area. + + + + + A geographic or geometric large area. + + + + + Other than as defined in this enumeration. + + + + + + + Types of points on the road network framed by two other points on the same road. + + + + + A point on the road network framed by two other points on the same road. + + + + + + + Types of linear location. + + + + + A segment (or link) of the road network corresponding to the way in which the road operator has segmented the network. + + + + + + + Types of simple point. + + + + + An point on the road network at which one or more roads intersect. + + + + + A point on the road network which is not at a junction or intersection. + + + + + + + List of directions of travel. + + + + + All directions (where more than two are applicable) at this point on the road network. + + + + + Anti-clockwise. + + + + + Both directions that are applicable at this point on the road network. + + + + + Clockwise. + + + + + East bound general direction. + + + + + Inner ring direction. + + + + + North bound general direction. + + + + + North east bound general direction. + + + + + North west bound general direction. + + + + + Opposite direction to the normal direction of flow at this point on the road network. + + + + + Outer ring direction. + + + + + South bound general direction. + + + + + South east bound general direction. + + + + + South west bound general direction. + + + + + West bound general direction. + + + + + Direction is unknown. + + + + + Other than as defined in this enumeration. + + + + + + + Descriptors for describing area locations. + + + + + Name of an administrative area. + + + + + Reference name by which administrative area is known. + + + + + Name of an area. + + + + + Name of a county (administrative sub-division). + + + + + Name of a lake. + + + + + Name of a nation (e.g. Wales) which is a sub-division of a ISO recognised country. + + + + + Name of a police force control area. + + + + + Name of a geographic region. + + + + + Name of a sea. + + + + + Name of a town. + + + + + Other than as defined in this enumeration. + + + + + + + Descriptors for describing a junction by identifying the intersecting roads at a road junction. + + + + + The name of the road on which the junction point is located. + + + + + The name of the first intersecting road at the junction. + + + + + The name of the second intersecting road (if one exists) at the junction. + + + + + + + Descriptors for describing a point at a road junction. + + + + + Name of a road network junction where two or more roads join. + + + + + + + Descriptors other than junction names and road descriptors which can help to identify the location of points on the road network. + + + + + Name of an administrative area. + + + + + Reference name by which an administrative area is known. + + + + + Name of an airport. + + + + + Name of an area. + + + + + Name of a building. + + + + + Identifier of a bus stop on the road network. + + + + + Name of a bus stop on the road network. + + + + + Name of a canal. + + + + + Name of a county (administrative sub-division). + + + + + Name of a ferry port. + + + + + Name of a road network intersection. + + + + + Name of a lake. + + + + + Name of a road link. + + + + + Local name of a road link. + + + + + Name of a metro/underground station. + + + + + Name of a nation (e.g. Wales) which is a sub-division of a ISO recognised country. + + + + + Name of a point on the road network which is not at a junction or intersection. + + + + + Name of a parking facility. + + + + + Name of a specific point. + + + + + Name of a general point of interest. + + + + + Name of a railway station. + + + + + Name of a geographic region. + + + + + Name of a river. + + + + + Name of a sea. + + + + + Name of a service area on a road network. + + + + + Name of a river which is of a tidal nature. + + + + + Name of a town. + + + + + Other than as defined in this enumeration. + + + + + + + Types of height. + + + + + Height above specified location. + + + + + Height above mean sea high water level. + + + + + Height above street level. + + + + + At height of specified location. + + + + + At mean sea high water level. + + + + + At street level. + + + + + Height below specified location. + + + + + Height below mean sea high water level. + + + + + Height below street level. + + + + + Undefined height reference. + + + + + Unknown height reference. + + + + + Other than as defined in this enumeration. + + + + + + + An area defined by a well-known name. + + + + + + + Name of area. + + + + + + + + + + A point on the road network which is not a road junction point. + + + + + + + + A descriptive name which helps to identify the non junction point. At least one descriptor must identify the road on which the point is located, i.e. must be of type 'linkName' or 'localLinkName'. + + + + + + + + + + General descriptor for describing a point. + + + + + + + The nature of the descriptor used to define the location under consideration (derived from the TPEG Loc table 03). + + + + + + + + + + A point on the road network which is either a junction point or a non junction point. + + + + + + + + A descriptor for describing a point location. + + + + + + + + + + + + A single point on the road network defined by a TPEG-Loc structure and which has an associated direction of traffic flow. + + + + + The direction of traffic flow. + + + + + + + + A point on the road network which is not bounded by any other points on the road network. + + + + + + + The type of TPEG location. + + + + + A single point defined by a coordinate set and TPEG decriptors. + + + + + + + + + + Averaged measurements of traffic concentration. + + + + + + + An averaged measurement of the concentration of vehicles at the specified measurement site. + + + + + An averaged measurement of the percentage of time that a section of road at the specified measurement site is occuppied by vehicles. + + + + + + + + + + Types of constriction to which traffic is subjected as a result of an unplanned event. + + + + + The carriageway is totally obstructed in the specified direction due to an unplanned event. + + + + + The carriageway is partially obstructed in the specified direction due to an unplanned event. + + + + + One or more lanes is totally obstructed in the specified direction due to an unplanned event. + + + + + One or more lanes is partially obstructed in the specified direction due to an unplanned event. + + + + + The road is totally obstructed, for all vehicles in both directions, due to an unplanned event. + + + + + The road is partially obstructed in both directions due to an unplanned event. + + + + + + + An event which is not planned by the traffic operator, which is affecting, or has the potential to affect traffic flow. + + + + + + + + + + + + Averaged measurements of traffic flow rates. + + + + + + + An averaged measurement of flow rate defined in terms of the number of vehicle axles passing the specified measurement site. + + + + + An averaged measurement of flow rate defined in terms of the number of passenger car units passing the specified measurement site. + + + + + An averaged measurement of the percentage of long vehicles contained in the traffic flow at the specified measurement site. + + + + + An averaged measurement of flow rate defined in terms of the number of vehicles passing the specified measurement site. + + + + + + + + + + A collection of terms for describing the characteristics of traffic flow. + + + + + Traffic flow is of an irregular nature, subject to sudden changes in rates. + + + + + Traffic flow is smooth. + + + + + Traffic flow is of a stop and go nature with queues forming and ending continuously on the specified section of road. + + + + + Traffic is blocked at the specified location and in the specified direction due to an unplanned event. + + + + + + + Averaged measurements of traffic headway, i.e. the distance or time interval between vehicles. + + + + + + + The average distance between the front (respectively back) of this vehicle and the front (respectively back) of the preceding vehicle, averaged for all vehicles within a defined measurement period at the specified measurement site. + + + + + The average time gap between the front (respectively back) of this vehicle and the front (respectively back) of the preceding vehicle, averaged for all vehicles within a defined measurement period at the specified measurement site. + + + + + + + + + + Averaged measurements of traffic speed. + + + + + + + An averaged measurement of the speed of vehicles at the specified measurement site. + + + + + + + + + + + List of terms used to describe traffic conditions. + + + + + Traffic in the specified direction is completely congested, effectively at a standstill, making driving impossible. + + + + + Traffic in the specified direction is congested making driving very slow and difficult. + + + + + Traffic in the specified direction is heavier than usual making driving conditions more difficult than normal. + + + + + Traffic in the specified direction is free flowing. + + + + + Traffic conditions are unknown. + + + + + + + The status of traffic conditions on a specific section or at a specific point on the road network. + + + + + + + Status of traffic conditions on the identified section of road in the specified direction. + + + + + A characterization of the trend in the traffic conditions at the specified location and direction. + + + + + + + + + + List of terms used to describe the trend in traffic conditions. + + + + + Traffic conditions are changing from free-flow to heavy or slow service levels. Queues may also be expected. + + + + + Traffic conditions are changing from heavy or slow service levels to free-flow. + + + + + Traffic conditions are currently stable. + + + + + The trend of traffic conditions is currently unknown. + + + + + + + Types of traffic, mostly classified by its destination type. + + + + + Traffic destined for local access only. + + + + + Traffic destined for the airport. + + + + + Traffic destined for airport arrivals. + + + + + Traffic destined for airport departures. + + + + + Traffic destined for the ferry service. + + + + + Traffic destined for the rail service. + + + + + Traffic heading towards holiday destinations. + + + + + Traffic heading towards local destinations. + + + + + Traffic heading towards destinations which are a long distance away. + + + + + Traffic heading towards local regional destinations. + + + + + Local residents only traffic. + + + + + Traffic which is not for local access, i.e. traffic not destined for local town, city or built up area but for transit though the area. + + + + + Traffic heading towards local visitor attraction. + + + + + + + Measured or derived values relating to traffic or individual vehicle movements on a specific section or at a specific point on the road network. + + + + + + + Used to define the vehicle characteristics to which the TrafficValue is applicable primarily in Elaborated Data Publications, but may also be used in Measured Data Publications to override vehicle characteristics defined for the measurement site. + + + + + + + + + + An identifiable instance of a traffic view at a single point in time relating to a predefined location set, comprising one or more linear traffic views each of which comprise one or more traffic view records. + + + + + The time to which the traffic view relates, i.e. the instance in time at which the traffic view was taken (comparable to taking a photograph). + + + + + A reference to a predefined location set. + + + + + + + + + + A publication containing one or more traffic views. + + + + + + + + + + + + + + An identifiable instance of a single record within a traffic view which shall comprise at most one instance of each of the following: OperatorAction, TrafficElement, ElaboratedData and CCTVImages. + + + + + A number identifying the sequence of the record within the set of records which comprise the traffic view. + + + + + + + + + + + + + The availability of transit services and information relating to their departures. This is limited to those transit services which are of direct relevance to road users, e.g. connecting rail or ferry services. + + + + + + + Indicates the stated termination point of the transit journey. + + + + + Indicates the stated starting point of the transit journey. + + + + + Indicates a transit service journey number. + + + + + Information about transit services. + + + + + The type of transit service to which the information relates. + + + + + Indicates the timetabled departure time of a transit service for a specified location. + + + + + + + + + + Types of public transport information. + + + + + Public transport, park-and-ride, rail or bus services will be cancelled until the specified time. + + + + + The specified service is delayed due to bad weather. + + + + + The specified service is delayed due to the need for repairs. + + + + + The specified public transport service will be delayed until further notice. + + + + + The departure of the specified ferry service is delayed due to flotsam. + + + + + The departure of the specified service is on schedule. + + + + + The ferry service has been replaced by an ice road. + + + + + A shuttle service is operating at no charge between specified locations until the specified time. + + + + + The information service relating to the specified transport system is not currently available. + + + + + The specified service is subject to irregular delays. + + + + + The load capacity for the specified service has been changed. + + + + + Long vehicles are subject to restrictions on the specified service. + + + + + The specified service is subject to delays. + + + + + The specified service is subject to delays whose predicted duration cannot be estimated accurately. + + + + + The departure of the specified service is fully booked. + + + + + The specified service is not operating until the specified time. + + + + + The specified service is not operating but an alternative service is available. + + + + + The specified service has been suspended until the specified time. + + + + + The specified service has been cancelled. + + + + + A shuttle service is operating between the specified locations until the specified time. + + + + + The timetable for the specified service is subject to temporary changes. + + + + + Other than as defined in this enumeration. + + + + + + + Types of transport services available to the general public. + + + + + Air service. + + + + + Bus service. + + + + + Ferry service. + + + + + Hydrofoil service. + + + + + Rail service. + + + + + Tram service. + + + + + Underground or metro service. + + + + + + + List of terms used to describe the trend in travel times. + + + + + Travel times are decreasing. + + + + + Travel times are increasing. + + + + + Travel times are stable. + + + + + + + List of ways in which travel times are derived. + + + + + Travel time is derived from the best out of a monitored sample. + + + + + Travel time is an automated estimate. + + + + + Travel time is derived from instantaneous measurements. + + + + + Travel time is reconstituted from other measurements. + + + + + + + Derived/computed travel time information relating to a specific group of locations. + + + + + + + Travel time between the defined locations in the specified direction. + + + + + The current trend in the travel time between the defined locations in the specified direction.. + + + + + Indication of the way in which the travel time is derived. + + + + + The free flow speed expected under ideal conditions, corresponding to the freeFlowTravelTime. + + + + + The travel time which would be expected under ideal free flow conditions. + + + + + The travel time which is expected for the given period (e.g. date/time, holiday status etc.) and any known quasi-static conditions (e.g. long term roadworks). This value is derived from historical analysis. + + + + + Vehicle type. + + + + + + + + + + The types of updates of situations that may be requested by a client. + + + + + The client has currently requested that all situation elements are sent when one or more component elements are updated. + + + + + The client has currently requested that only the individual elements of a situation that have changed are sent when updated. + + + + + The client has requested that all situations and their elements which are valid at the time of request be sent together, i.e. a snapshot in time of all valid situations. + + + + + + + Degrees of urgency that a receiving client should associate with the disseminate of the information contained in the publication. + + + + + Dissemination of the information is extremely urgent. + + + + + Dissemination of the information is urgent. + + + + + Dissemination of the information is of normal urgency. + + + + + + + A Uniform Resource Locator (URL) address comprising a compact string of characters for a resource available on the Internet. + + + + + + Details of a Uniform Resource Locator (URL) address pointing to a resource available on the Internet from where further relevant information may be obtained. + + + + + A Uniform Resource Locator (URL) address pointing to a resource available on the Internet from where further relevant information may be obtained. + + + + + Description of the relevant information available on the Internet from the URL link. + + + + + Details of the type of relevant information available on the Internet from the URL link. + + + + + + + + Types of URL links. + + + + + URL link to a pdf document. + + + + + URL link to an html page. + + + + + URL link to an image. + + + + + URL link to an RSS feed. + + + + + URL link to a video stream. + + + + + URL link to a voice stream. + + + + + Other than as defined in this enumeration. + + + + + + + Specification of validity, either explicitly or by a validity time period specification which may be discontinuous. + + + + + Specification of validity, either explicitly overriding the validity time specification or confirming it. + + + + + The activity or action described by the SituationRecord is still in progress, overrunning its planned duration as indicated in a previous version of this record. + + + + + A specification of periods of validity defined by overall bounding start and end times and the possible intersection of valid periods with exception periods (exception periods overriding valid periods). + + + + + + + + Values of validity status that can be assigned to a described event, action or item. + + + + + The described event, action or item is currently active regardless of the definition of the validity time specification. + + + + + The described event, action or item is currently suspended, that is inactive, regardless of the definition of the validity time specification. + + + + + The validity status of the described event, action or item is in accordance with the definition of the validity time specification. + + + + + + + Details of a variable message sign and its displayed information. + + + + + + + The maximum number of characters in each row on the variable message sign (for fixed font signs). + + + + + The maximum number of rows of characters on the variable message sign (for fixed font signs). + + + + + Indicates the type of fault which is being recorded for the specified variable message sign. + + + + + A reference to aid identification of the subject Variable Message Sign. + + + + + A free-text field containing a single displayed legend row on the specific variable message sign. + + + + + Indicates the display characteristics of the specific variable message sign. + + + + + + + + + + Details of an individual vehicle. + + + + + The colour of the vehicle. + + + + + Specification of the country in which the vehicle is registered. The code is the 2-alpha code as given in EN ISO 3166-1 which is updated by the ISO 3166 Maintenance Agency. + + + + + A vehicle identification number (VIN) comprising 17 characters that is based on either ISO 3779 or ISO 3780 and uniquely identifies the individual vehicle. This is normally securely attached to the vehicle chassis. + + + + + Indicates the stated manufacturer of the vehicle i.e. Ford. + + + + + Indicates the model (or range name) of the vehicle i.e. Ford Mondeo. + + + + + An identifier or code displayed on a vehicle registration plate attached to the vehicle used for official identification purposes. The registration identifier is numeric or alphanumeric and is unique within the issuing authority's region. + + + + + Vehicle status. + + + + + + The spacing between axles on the vehicles. + + + + + The weight details relating to a specific axle on the vehicle. + + + + + Details of hazardous goods carried by the vehicle. + + + + + + + + The characteristics of a vehicle, e.g. lorry of gross weight greater than 30 tonnes. + + + + + The type of fuel used by the vehicle. + + + + + The type of load carried by the vehicle, especially in respect of hazardous loads. + + + + + The type of equipment in use or on board the vehicle. + + + + + Vehicle type. + + + + + The type of usage of the vehicle (i.e. for what purpose is the vehicle being used). + + + + + + + + + + + + + + Sets of measured times relating to an individual vehicle derived from a detector at the specified measurement site. + + + + + The time of the arrival of an individual vehicle in a detection zone. + + + + + The time when an individual vehicle leaves a detection zone. + + + + + The time elapsed between an individual vehicle entering a detection zone and exiting the same detection zone as detected by entry and exit sensors. + + + + + The time during which a vehicle activates a presence sensor. + + + + + The time interval between the arrival of this vehicle's front at a point on the roadway, and that of the departure of the rear of the preceding one. + + + + + The measured time interval between this vehicle's arrival at (or departure from) a point on the roadway, and that of the preceding one. + + + + + + + + Types of vehicle equipment in use or on board. + + + + + Vehicle not using snow chains. + + + + + Vehicle not using either snow tyres or snow chains. + + + + + Vehicle using snow chains. + + + + + Vehicle using snow tyres. + + + + + Vehicle using snow tyres or snow chains. + + + + + Vehicle which is not carrying on board snow tyres or chains. + + + + + + + The measured individual vehicle distance headway, i.e.the distance between this vehicle and the preceding vehicle). + + + + + The measured distance between the front of this vehicle and the rear of the preceding one, in metres at the specified measurement site. + + + + + The measured distance between the front (respectively back) of this vehicle and the front (respectively back) of the preceding vehicle at the specified measurement site. + + + + + + + + An obstruction on the road caused by one or more vehicles. + + + + + + + Characterization of an obstruction on the road caused by one or more vehicles. + + + + + The obstructing vehicle. + + + + + + + + + + Types of obstructions involving vehicles. + + + + + Abandoned vehicle(s) on the roadway which may cause traffic disruption. + + + + + Vehicle(s) carrying exceptional load(s) which may cause traffic disruption. + + + + + Broken down passenger vehicle(s) on the carriageway which may cause traffic disruption. + + + + + Broken down heavy lorry/lorries on the carriageway which may cause traffic disruption. + + + + + Broken down vehicle(s) on the carriageway which may cause traffic disruption. + + + + + A group of vehicles moving together in formation which may cause traffic disruption. + + + + + Damaged vehicle(s) on the carriageway which may cause traffic disruption. + + + + + Dangerous slow moving vehicles which may cause traffic disruption. + + + + + Emergency service vehicles on the roadway in response to an emergency situation. + + + + + Emergency service vehicles progressing at high speed along the roadway in response to or en route from an emergency situation. + + + + + A vehicle of length greater than that normally allowed which may cause traffic disruption. + + + + + A group of military vehicles moving together in formation which may cause traffic disruption. + + + + + Vehicles of height greater than normally allowed which may cause traffic disruption. + + + + + Vehicles not normally permitted on the highway are present which may cause traffic disruption. + + + + + Salting and gritting vehicles are in use which may cause traffic disruption. + + + + + Slow moving vehicles undertaking maintenance work may pose a hazard to other vehicles on the carriageway. + + + + + A vehicle travelling at well below normal highway speeds which may cause traffic disruption. + + + + + Snowploughs are in use which may cause traffic disruption. + + + + + Tracked vehicles are in use which may cause traffic disruption. + + + + + Vehicles without lights are in use which may present a hazard to road users. + + + + + A vehicle is or has been on fire and may cause traffic disruption. + + + + + Vehicles carrying materials of a hazardous nature are present and these could expose road users to additional hazards. + + + + + A vehicle is experiencing difficulties (e.g. manoeuvring or propulsion difficulties) which may cause traffic disruption. + + + + + A vehicle is travelling the wrong way along a divided highway (i.e. on the wrong side). + + + + + One or more vehicles are stuck (i.e. unable to move) due to environmental conditions such as a snow drift or severe icy road. + + + + + A vehicle is stuck under a bridge. + + + + + An over-height vehicle which may present a hazard to road users. + + + + + A vehicle of width greater than that normally allowed which may cause traffic disruption. + + + + + Other than as defined in this enumeration. + + + + + + + Measurement of individual vehicle speed. + + + + + The measured speed of the individual vehicle at the specified measurement site. + + + + + + + + Vehicles per hour. + + + + + + The status of a vehicle. + + + + + Abandoned vehicle. + + + + + Broken down vehicle (i.e. it is immobile due to mechanical breakdown). + + + + + Burnt out vehicle, but fire is extinguished. + + + + + Vehicle is damaged following an incident or collision. It may or may not be able to move by itself. + + + + + Vehicle is damaged following an incident or collision. It is immobilized and therefore needs assistance to be moved. + + + + + Vehicle is on fire. + + + + + + + Types of vehicle. + + + + + Vehicle of any type. + + + + + Articulated vehicle. + + + + + Bicycle. + + + + + Bus. + + + + + Car. + + + + + Caravan. + + + + + Car or light vehicle. + + + + + Car towing a caravan. + + + + + Car towing a trailer. + + + + + Four wheel drive vehicle. + + + + + High sided vehicle. + + + + + Lorry of any type. + + + + + Moped (a two wheeled motor vehicle characterized by a small engine typically less than 50cc and by normally having pedals). + + + + + Motorcycle. + + + + + Three wheeled vehicle comprising a motorcycle with an attached side car. + + + + + Motor scooter (a two wheeled motor vehicle characterized by a step-through frame and small diameter wheels). + + + + + Vehicle with large tank for carrying bulk liquids. + + + + + Three wheeled vehicle of unspecified type. + + + + + Trailer. + + + + + Tram. + + + + + Two wheeled vehicle of unspecified type. + + + + + Van. + + + + + Vehicle with catalytic converter. + + + + + Vehicle without catalytic converter. + + + + + Vehicle (of unspecified type) towing a caravan. + + + + + Vehicle (of unspecified type) towing a trailer. + + + + + Vehicle with even numbered registration plate. + + + + + Vehicle with odd numbered registration plate. + + + + + Other than as defined in this enumeration. + + + + + + + Types of usage of a vehicle. + + + + + Vehicle used for agricultural purposes. + + + + + Vehicle which is limited to non-private usage or public transport usage. + + + + + Vehicle used by the emergency services. + + + + + Vehicle used by the military. + + + + + Vehicle used for non-commercial or private purposes. + + + + + Vehicle used as part of a patrol service, e.g. road operator or automobile association patrol vehicle. + + + + + Vehicle used to provide a recovery service. + + + + + Vehicle used for road maintenance or construction work purposes. + + + + + Vehicle used by the road operator. + + + + + Vehicle used to provide an authorised taxi service. + + + + + + + Details of atmospheric visibility. + + + + + The minimum distance, measured or estimated, beyond which drivers may be unable to clearly see a vehicle or an obstacle. + + + + + + + + Measurements of atmospheric visibility. + + + + + + + + + + + + + Types of variable message sign faults. + + + + + Comunications failure affecting VMS. + + + + + Incorrect message is being displayed. + + + + + Incorrect pictogram is being displayed. + + + + + Not currently in service (e.g. intentionally disconnected or switched off during roadworks). + + + + + Power to VMS has failed. + + + + + Unable to clear down information displayed on VMS. + + + + + Unknown VMS fault. + + + + + Other than as defined in this enumeration. + + + + + + + Type of variable message sign. + + + + + A colour graphic display. + + + + + A sign implementing fixed messages which are selected by electromechanical means. + + + + + A monochrome graphic display. + + + + + Other than as defined in this enumeration. + + + + + + + Road surface conditions that are related to the weather which may affect the driving conditions, such as ice, snow or water. + + + + + + + The type of road surface condition that is related to the weather which is affecting the driving conditions. + + + + + + + + + + + Types of road surface conditions which are related to the weather. + + + + + Severe skid risk due to black ice (i.e. clear ice, which is impossible or very difficult to see). + + + + + Deep snow on the roadway. + + + + + The road surface is dry. + + + + + The wet road surface is subject to freezing. + + + + + The pavements for pedestrians are subject to freezing. + + + + + Severe skid risk due to rain falling on sub-zero temperature road surface and freezing. + + + + + Fresh snow (with little or no traffic yet) on the roadway. + + + + + Increased skid risk due to ice (of any kind). + + + + + Ice is building up on the roadway causing a serious skid hazard. + + + + + Ice on the road frozen in the form of wheel tracks. + + + + + Severe skid risk due to icy patches (i.e. intermittent ice on roadway). + + + + + Powdery snow on the road which is subject to being blown by the wind. + + + + + Conditions for pedestrians are consistent with those normally expected in winter. + + + + + Packed snow (heavily trafficked) on the roadway. + + + + + The road surface is melting, or has melted due to abnormally high temperatures. + + + + + The road surface is slippery due to bad weather conditions. + + + + + Increased skid risk due to melting snow (slush) on road. + + + + + Melting snow (slush) on the roadway is formed into wheel tracks. + + + + + Snow drifting is in progress or patches of deep snow are present due to earlier drifting. + + + + + Snow is on the pedestrian pavement. + + + + + Snow is lying on the road surface. + + + + + Water is resting on the roadway which provides an increased hazard to vehicles. + + + + + Road surface is wet. + + + + + Increased skid risk due to partly thawed, wet road with packed snow and ice, or rain falling on packed snow and ice. + + + + + Partly thawed, wet pedestrian pavement with packed snow and ice, or rain falling on packed snow and ice. + + + + + Other than as defined in this enumeration. + + + + + + + Measured or derived values relating to the weather at a specific location. + + + + + + + + + + + + Weeks of the month. + + + + + First week of the month. + + + + + Second week of the month. + + + + + Third week of the month. + + + + + Fourth week of the month. + + + + + Fifth week of the month (at most only 3 days and non in February when not a leap year). + + + + + + + Width characteristic of a vehicle. + + + + + The operator to be used in the vehicle characteristic comparison operation. + + + + + The maximum width of an individual vehicle, in metres. + + + + + + + + Wind conditions on the road. + + + + + The maximum wind speed in a measurement period of 10 minutes. + + + + + The average direction from which the wind blows, in terms of a bearing measured in degrees (0 - 359). + + + + + The average direction from which the wind blows, in terms of points of the compass. + + + + + The height in metres above the road surface at which the wind is measured. + + + + + The wind speed averaged over at least 10 minutes, measured at a default height of10 metres (meteo standard) above the road surface, unless measurement height is specified. + + + + + + + + Measurements of wind conditions. + + + + + + + + + + + + + Winter driving management action that is instigated by the network/road operator. + + + + + + + Type of winter equipment management action instigated by operator. + + + + + + + + + + Instructions relating to the use of winter equipment. + + + + + Do not use stud tyres. + + + + + Use snow chains. + + + + + Use snow chains or snow tyres. + + + + + Use snow tyres. + + + + + The carrying of winter equipment (snow chains and/or snow tyres) is required. + + + + + Other than as defined in this enumeration. + + + + diff --git a/xsd/gml/gml_extract_all_objects.xsd b/xsd/gml/gml_extract_all_objects.xsd index 1771bb9f..cb51a791 100644 --- a/xsd/gml/gml_extract_all_objects.xsd +++ b/xsd/gml/gml_extract_all_objects.xsd @@ -1,5 +1,4 @@ - diff --git a/xsd/ifopt/ifopt_administration.xsd b/xsd/ifopt/ifopt_administration.xsd index d09d011b..c8fb4739 100644 --- a/xsd/ifopt/ifopt_administration.xsd +++ b/xsd/ifopt/ifopt_administration.xsd @@ -1,43 +1,44 @@ - - - - main schema - e-service developers - Europe - Drafted for version 1.0 CEN TC278 WG3 SG6 Editor Nicholas Knowles, Kizoom. mailto:schemer@ifopt.org.uk - - 2006-08-12 - - - 2006-09-22 - - - 2007-03-29 - - -

Fixed Objects in Public Transport. This subschema defines data administration base types.

-
- - text/xml - http://www.w3.org/2001/XMLSchema - XML schema, W3C Recommendation 2001 - - {http://www.siri.org.uk/schema/2.0/ifopt}ifopt_administration.xsd - [ISO 639-2/B] ENG - Kizoom, 109-123 Clifton Street, London EC4A 4LD - - CEN, Crown Copyright 2006-2021 + + + + main schema + e-service developers + Europe + Drafted for version 1.0 CEN TC278 WG3 SG6 Editor Nicholas Knowles, Kizoom. mailto:schemer@ifopt.org.uk + + 2006-08-12 + + + 2006-09-22 + + + 2007-03-29 + + +

Fixed Objects in Public Transport. This subschema defines data administration base types.

+
+ + text/xml + http://www.w3.org/2001/XMLSchema + XML schema, W3C Recommendation 2001 + + {http://www.siri.org.uk/schema/2.0/ifopt}ifopt_administration.xsd + [ISO 639-2/B] ENG + Kizoom, 109-123 Clifton Street, London EC4A 4LD + + + CEN, Crown Copyright 2006-2021 - -
    -
  • Derived from the SIRI standards.
  • -
- - Version 2.1 - - Arts, recreation and travel, Tourism, Travel (tourism), Transport, + +
    +
  • Derived from the SIRI standards.
  • +
+ + Version 2.1 + + Arts, recreation and travel, Tourism, Travel (tourism), Transport, Air transport, Airports, Ports and maritime transport, Ferries (marine), Public transport, Bus services, Coach services, Bus stops and stations, @@ -45,210 +46,210 @@ Rail transport, Railway stations and track, Train services, Underground trains, Business and industry, Transport, Air transport, Ports and maritime transport, Public transport, Rail transport, Roads and road transport - CEN TC278 WG3 SG6 - - IFOPT Fixed Objects in Public Transport - Base Types. - Standard -
-
- Data administration types for IFOPT Fixed Objects in Public Transport. -
- - - - - - - Type for identifier of an ORGANISATION with administrative responsibility. - - - - - - Type for a reference to an ORGANISATION with administrative responsibility. - - - - - - - - Type for a versioned reference to an ORGANISATION with administrative responsibility. - - - - - - - - - - - Type for identifier of ADMINISTRATIVE ZONE. - - - - - - - - Type for a reference to an ADMINISTRATIVE ZONE. - - - - - - - - Type for a versioned reference to anADMINISTRATIVE ZONE. - - - - - - - - - - Type for a collection of one or more references to ADMINISTRATIVE ZONEs. - - - - - Reference to the identifier of an ADMINISTRATIVE ZONE. - - - - - - - - Enumeration of allowed values for RESPONSIBILITY ROLEs. - - - - - - - - - - - - - - Type for identifier of type of Namespace. - - - - - - Type for a reference to an Namespace. - - - - - - - - The type for identifier of Namespace. - - - - - - Type for a value of a namespace. - - - - - - - Type for a Identifier of Region. - - - - - - Type for a Reference to identifier of Region. - - - - - - - - - Type for identifier of AUTHORITY. - - - - - - - - Type for a reference to an AUTHORITY. - - - - - - - - - Abstract Type for a versioned object. - - - - - - Version related properties. - - - - - Date on which element was created. - - - - - Date on which element was last updated. - - - - - Version of data. - - - - - - - Abstract Type for DATA MANAGED OBJECT, that is an object that may be assigned a RESPONSIBILITY SET dictating a responsible ORGANISATION and/or ADMINISTRATIVE ZONE. - - - - - - - - - - - - Elements for a DATA MANAGED OBJECT. - - - - - ADMINISTRATIVE ZONEthat manages object. If absent then manager same as for containing parent of object. - - - - - Collection of URL's associated with object. - - - - + CEN TC278 WG3 SG6 + + IFOPT Fixed Objects in Public Transport - Base Types. + Standard +
+
+ Data administration types for IFOPT Fixed Objects in Public Transport. +
+ + + + + + + Type for identifier of an ORGANISATION with administrative responsibility. + + + + + + Type for a reference to an ORGANISATION with administrative responsibility. + + + + + + + + Type for a versioned reference to an ORGANISATION with administrative responsibility. + + + + + + + + + + + Type for identifier of ADMINISTRATIVE ZONE. + + + + + + + + Type for a reference to an ADMINISTRATIVE ZONE. + + + + + + + + Type for a versioned reference to anADMINISTRATIVE ZONE. + + + + + + + + + + Type for a collection of one or more references to ADMINISTRATIVE ZONEs. + + + + + Reference to the identifier of an ADMINISTRATIVE ZONE. + + + + + + + + Enumeration of allowed values for RESPONSIBILITY ROLEs. + + + + + + + + + + + + + + Type for identifier of type of Namespace. + + + + + + Type for a reference to an Namespace. + + + + + + + + The type for identifier of Namespace. + + + + + + Type for a value of a namespace. + + + + + + + Type for a Identifier of Region. + + + + + + Type for a Reference to identifier of Region. + + + + + + + + + Type for identifier of AUTHORITY. + + + + + + + + Type for a reference to an AUTHORITY. + + + + + + + + + Abstract Type for a versioned object. + + + + + + Version related properties. + + + + + Date on which element was created. + + + + + Date on which element was last updated. + + + + + Version of data. + + + + + + + Abstract Type for DATA MANAGED OBJECT, that is an object that may be assigned a RESPONSIBILITY SET dictating a responsible ORGANISATION and/or ADMINISTRATIVE ZONE. + + + + + + + + + + + + Elements for a DATA MANAGED OBJECT. + + + + + ADMINISTRATIVE ZONEthat manages object. If absent then manager same as for containing parent of object. + + + + + Collection of URL's associated with object. + + + +
diff --git a/xsd/ifopt/ifopt_allStopPlace.xsd b/xsd/ifopt/ifopt_allStopPlace.xsd index d4cec530..a4332ec7 100644 --- a/xsd/ifopt/ifopt_allStopPlace.xsd +++ b/xsd/ifopt/ifopt_allStopPlace.xsd @@ -14,20 +14,20 @@ The Purpose of this file is to overcome a technical limitation in Xerces (and po --> - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + diff --git a/xsd/ifopt/ifopt_checkpoint.xsd b/xsd/ifopt/ifopt_checkpoint.xsd index 6db94272..c8b813b4 100644 --- a/xsd/ifopt/ifopt_checkpoint.xsd +++ b/xsd/ifopt/ifopt_checkpoint.xsd @@ -1,47 +1,48 @@ - - - - main schema - e-service developers - Europe - Drafted for version 1.0 CEN TC278 WG3 SG6 Editor Nicholas Knowles, Kizoom. mailto:schemer@ifopt.org.uk - - 2006-08-12 - - - 2006-09-22 - - - 2007-03-29 - - - 2011-04-19 - - - -

Fixed Objects in Public Transport. This subschema defines common CHECK CONSTRAINT types.

-
- - text/xml - http://www.w3.org/2001/XMLSchema - XML schema, W3C Recommendation 2001 - - {http://www.siri.org.uk/schema/2.0/ifopt}ifopt_accessibility.xsd - [ISO 639-2/B] ENG - Kizoom, 109-123 Clifton Street, London EC4A 4LD - - CEN, Crown Copyright 2006-2021 + + + + main schema + e-service developers + Europe + Drafted for version 1.0 CEN TC278 WG3 SG6 Editor Nicholas Knowles, Kizoom. mailto:schemer@ifopt.org.uk + + 2006-08-12 + + + 2006-09-22 + + + 2007-03-29 + + + 2011-04-19 + + + +

Fixed Objects in Public Transport. This subschema defines common CHECK CONSTRAINT types.

+
+ + text/xml + http://www.w3.org/2001/XMLSchema + XML schema, W3C Recommendation 2001 + + {http://www.siri.org.uk/schema/2.0/ifopt}ifopt_accessibility.xsd + [ISO 639-2/B] ENG + Kizoom, 109-123 Clifton Street, London EC4A 4LD + + + CEN, Crown Copyright 2006-2021 - -
    -
  • Derived from the IFOPT standards.
  • -
- - Version 2.1 - - Arts, recreation and travel, Tourism, Travel (tourism), Transport, + +
    +
  • Derived from the IFOPT standards.
  • +
+ + Version 2.1 + + Arts, recreation and travel, Tourism, Travel (tourism), Transport, Air transport, Airports, Ports and maritime transport, Ferries (marine), Public transport, Bus services, Coach services, Bus stops and stations, @@ -49,175 +50,175 @@ Rail transport, Railway stations and track, Train services, Underground trains, Business and industry, Transport, Air transport, Ports and maritime transport, Public transport, Rail transport, Roads and road transport - CEN TC278 WG3 SG6 - - IFOPT Fixed Objects in Public Transport - CHECK CONSTRAINT Types. - Standard -
-
- Fixed Objects CHECK CONSTRAINT types for IFOPT Fixed Objects in Public Transport. -
- - - - - - - Type for identifier of a CHECK CONSTRAINT.within a STOP PLACE. - - - - - - Type for reference to am identifier of a hazard within a STOP PLACE. - - - - - - - - - Type for a CHECK CONSTRAINT Hazard that can be associated with. - - - - - Identifier of CHECK CONSTRAINt. - - - - - - - - - - - Validty condition governing applicability of CHECK CONSTRAINT. - - - - - Type of process that may occur at CHECK CONSTRAINt. - - - - - Type of process that may occur at CHECK CONSTRAINt. - - - - - Type of physical featrue that may slow use of CHECK CONSTRAINt. - - - - - Type of crowding that may slow use of CHECK CONSTRAINt. - - - - - Classification of feature of CHECK CONSTRAINT. - - - - - - - Allowed values for a CHECK CONSTRAINT. - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - Allowed values for a CHECK CONSTRAINT. - - - - - - - - - - Allowed values for a CHECK CONSTRAINT. - - - - - - - - - - - - - - - - - - - - - Allowed values for a CHECK CONSTRAINT. - - - - - - - - - - - Group of delays found at a stop group. Duratiosn relate to given validity condition. - - - - - Minimum duration needed to pass through CHECK CONSTRAINT. - - - - - Average duration expected to pass through CHECK CONSTRAINT. - - - - - Maximum duration expected to pass through CHECK CONSTRAINT. - - - - - + CEN TC278 WG3 SG6 + + IFOPT Fixed Objects in Public Transport - CHECK CONSTRAINT Types. + Standard +
+
+ Fixed Objects CHECK CONSTRAINT types for IFOPT Fixed Objects in Public Transport. +
+ + + + + + + Type for identifier of a CHECK CONSTRAINT.within a STOP PLACE. + + + + + + Type for reference to am identifier of a hazard within a STOP PLACE. + + + + + + + + + Type for a CHECK CONSTRAINT Hazard that can be associated with. + + + + + Identifier of CHECK CONSTRAINt. + + + + + + + + + + + Validty condition governing applicability of CHECK CONSTRAINT. + + + + + Type of process that may occur at CHECK CONSTRAINt. + + + + + Type of process that may occur at CHECK CONSTRAINt. + + + + + Type of physical featrue that may slow use of CHECK CONSTRAINt. + + + + + Type of crowding that may slow use of CHECK CONSTRAINt. + + + + + Classification of feature of CHECK CONSTRAINT. + + + + + + + Allowed values for a CHECK CONSTRAINT. + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + Allowed values for a CHECK CONSTRAINT. + + + + + + + + + + Allowed values for a CHECK CONSTRAINT. + + + + + + + + + + + + + + + + + + + + + Allowed values for a CHECK CONSTRAINT. + + + + + + + + + + + Group of delays found at a stop group. Duratiosn relate to given validity condition. + + + + + Minimum duration needed to pass through CHECK CONSTRAINT. + + + + + Average duration expected to pass through CHECK CONSTRAINT. + + + + + Maximum duration expected to pass through CHECK CONSTRAINT. + + + + +
diff --git a/xsd/ifopt/ifopt_countries.xsd b/xsd/ifopt/ifopt_countries.xsd index 9dfdadbf..fb2fe9d8 100644 --- a/xsd/ifopt/ifopt_countries.xsd +++ b/xsd/ifopt/ifopt_countries.xsd @@ -1,43 +1,44 @@ - - - - main schema - e-service developers - Europe - Drafted for version 1.0 CEN TC278 WG3 SG6 Editor Nicholas Knowles, Kizoom. mailto:schemer@ifopt.org.uk - - 2006-08-12 - - - 2006-09-22 - - - 2007-03-29 - - -

Fixed Objects in Public Transport. This subschema defines countries.

-
- - text/xml - http://www.w3.org/2001/XMLSchema - XML schema, W3C Recommendation 2001 - - {http://www.siri.org.uk/schema/2.0/ifopt}ifopt_countries.xsd - [ISO 639-2/B] ENG - Kizoom, 109-123 Clifton Street, London EC4A 4LD - - CEN, Crown Copyright 2006-2021 - - -
    -
  • Derived from the SIRI standards.
  • -
- - Version 2.1 - - Arts, recreation and travel, Tourism, Travel (tourism), Transport, + + + + main schema + e-service developers + Europe + Drafted for version 1.0 CEN TC278 WG3 SG6 Editor Nicholas Knowles, Kizoom. mailto:schemer@ifopt.org.uk + + 2006-08-12 + + + 2006-09-22 + + + 2007-03-29 + + +

Fixed Objects in Public Transport. This subschema defines countries.

+
+ + text/xml + http://www.w3.org/2001/XMLSchema + XML schema, W3C Recommendation 2001 + + {http://www.siri.org.uk/schema/2.0/ifopt}ifopt_countries.xsd + [ISO 639-2/B] ENG + Kizoom, 109-123 Clifton Street, London EC4A 4LD + + + CEN, Crown Copyright 2006-2021 + + +
    +
  • Derived from the SIRI standards.
  • +
+ + Version 2.1 + + Arts, recreation and travel, Tourism, Travel (tourism), Transport, Air transport, Airports, Ports and maritime transport, Ferries (marine), Public transport, Bus services, Coach services, Bus stops and stations, @@ -45,1276 +46,1276 @@ Rail transport, Railway stations and track, Train services, Underground trains, Business and industry, Transport, Air transport, Ports and maritime transport, Public transport, Rail transport, Roads and road transport - CEN TC278 WG3 SG6 - - IFOPT Fixed Objects in Public Transport - countries as Types. - Standard -
-
- Countries for IFOPT Fixed Objects in Public Transport. -
- - - - Type for Country identifier. - - - - - - Type for reference to a Country identifier. - - - - - - - - - Allowed values for classifying NPTG Localities. - - - - - Ascension Island. - - - - - Andorra. - - - - - United Arab Emirates. - - - - - Afghanistan. - - - - - Antigua and Barbuda. - - - - - Anguilla. - - - - - Albania. - - - - - Armenia. - - - - - Netherlands Antilles. - - - - - Angola. - - - - - Antarctica. - - - - - Argentina. - - - - - American Samoa. - - - - - Austria. - - - - - Australia. - - - - - Aruba. - - - - - Azerbaijan. - - - - - Aland Islands. - - - - - Bosnia and Herzegovina. - - - - - Barbados. - - - - - Bangladesh. - - - - - Belgium. - - - - - Burkina Faso. - - - - - Bulgaria. - - - - - Bahrain. - - - - - Burundi. - - - - - Benin. - - - - - Bermuda. - - - - - Brunei Darussalam. - - - - - Bolivia. - - - - - Brazil. - - - - - Bahamas. - - - - - Bhutan. - - - - - Bouvet Island. - - - - - Botswana. - - - - - Belarus. - - - - - Belize. - - - - - Canada. - - - - - Cocos (Keeling) Islands. - - - - - Congo, The Democratic Republic of the. - - - - - Central African Republic. - - - - - Congo, Republic of. - - - - - Switzerland. - - - - - Cote d'Ivoire. - - - - - Cook Islands. - - - - - Chile. - - - - - Cameroon. - - - - - China. - - - - - Colombia. - - - - - Costa Rica. - - - - - Serbia and Montenegro. - - - - - Cuba. - - - - - Cape Verde. - - - - - Christmas Island. - - - - - Cyprus. - - - - - Czech Republic. - - - - - Germany. - - - - - Djibouti. - - - - - Denmark. - - - - - Dominica. - - - - - Dominican Republic. - - - - - Algeria. - - - - - Ecuador. - - - - - Estonia. - - - - - Egypt. - - - - - Western Sahara. - - - - - Eritrea. - - - - - Spain. - - - - - Ethiopia. - - - - - European Union. - - - - - Finland. - - - - - Fiji. - - - - - Falkland Islands (Malvinas) - - - - - Micronesia, Federal State of. - - - - - Faroe Islands. - - - - - France. - - - - - Gabon. - - - - - United Kingdom. - - - - - Grenada. - - - - - Georgia. - - - - - French Guiana. - - - - - Guernsey. - - - - - Ghana. - - - - - Gibraltar. - - - - - Greenland. - - - - - Gambia. - - - - - Guinea. - - - - - Guadeloupe. - - - - - Equatorial Guinea. - - - - - Greece. - - - - - South Georgia and the South Sandwich Islands. - - - - - Guatemala. - - - - - Guam. - - - - - Guinea-Bissau. - - - - - Guyana. - - - - - Hong Kong. - - - - - Heard and McDonald Islands. - - - - - Honduras. - - - - - Croatia/Hrvatska. - - - - - Haiti. - - - - - Hungary. - - - - - Indonesia. - - - - - Ireland. - - - - - Israel. - - - - - Isle of Man. - - - - - India. - - - - - British Indian Ocean Territory. - - - - - Iraq - - - - - Iran, Islamic Republic of. - - - - - Iceland. - - - - - Italy. - - - - - Jersey. - - - - - Jamaica. - - - - - Jordan. - - - - - Japan. - - - - - Kenya. - - - - - Kyrgyzstan. - - - - - Cambodia. - - - - - Kiribati. - - - - - Comoros. - - - - - Saint Kitts and Nevis. - - - - - Korea, Democratic People's Republic. - - - - - Korea, Republic of. - - - - - Kuwait. - - - - - Cayman Islands. - - - - - Kazakhstan. - - - - - Lao People's Democratic Republic. - - - - - Lebanon. - - - - - Saint Lucia. - - - - - Liechtenstein. - - - - - Sri Lanka. - - - - - Liberia. - - - - - Lesotho. - - - - - Lithuania. - - - - - Luxembourg. - - - - - Latvia. - - - - - Libyan Arab Jamahiriya. - - - - - Morocco. - - - - - Monaco. - - - - - Moldova, Republic of. - - - - - Madagascar. - - - - - Marshall Islands. - - - - - Macedonia, The Former Yugoslav Republic of. - - - - - Mali. - - - - - Myanmar. - - - - - Mongolia. - - - - - Macau. - - - - - Northern Mariana Islands. - - - - - Martinique. - - - - - Mauritania. - - - - - Montserrat. - - - - - Malta. - - - - - Mauritius. - - - - - Maldives. - - - - - Malawi. - - - - - Mexico. - - - - - Malaysia. - - - - - Mozambique. - - - - - Namibia. - - - - - New Caledonia. - - - - - Niger. - - - - - Norfolk Island. - - - - - Nigeria. - - - - - Nicaragua. - - - - - Netherlands. - - - - - Norway. - - - - - Nepal. - - - - - Nauru. - - - - - Niue. - - - - - New Zealand. - - - - - Oman. - - - - - Panama. - - - - - Peru. - - - - - French Polynesia. - - - - - Papua New Guinea. - - - - - Philippines. - - - - - Pakistan. - - - - - Poland. - - - - - Saint Pierre and Miquelon. - - - - - Pitcairn Island. - - - - - Puerto Rico. - - - - - Palestinian Territories. - - - - - Portugal. - - - - - Palau. - - - - - Paraguay. - - - - - Qatar. - - - - - Reunion Island. - - - - - Romania. - - - - - Russian Federation. - - - - - Rwanda. - - - - - Saudi Arabia. - - - - - Solomon Islands. - - - - - Seychelles. - - - - - Sudan. - - - - - Sweden. - - - - - Singapore. - - - - - Saint Helena. - - - - - Slovenia. - - - - - Svalbard and Jan Mayen Islands. - - - - - Slovak Republic. - - - - - Sierra Leone. - - - - - San Marino. - - - - - Senegal. - - - - - Somalia. - - - - - Suriname. - - - - - Sao Tome and Principe. - - - - - El Salvador. - - - - - Syrian Arab Republic. - - - - - Swaziland. - - - - - Turks and Caicos Islands. - - - - - Chad. - - - - - French Southern Territories. - - - - - Togo. - - - - - Thailand. - - - - - Tajikistan. - - - - - Tokelau. - - - - - Timor-Leste. - - - - - Turkmenistan. - - - - - Tunisia. - - - - - Tonga. - - - - - East Timor. - - - - - Turkey. - - - - - Trinidad and Tobago. - - - - - Tuvalu. - - - - - Taiwan. - - - - - Tanzania. - - - - - Ukraine. - - - - - Uganda. - - - - - United Kingdom. - - - - - United States Minor Outlying Islands. - - - - - United States. - - - - - Uruguay. - - - - - Uzbekistan. - - - - - Holy See (Vatican City State) - - - - - Saint Vincent and the Grenadines. - - - - - Venezuela. - - - - - Virgin Islands, British. - - - - - Virgin Islands, Us. - - - - - Vietnam. - - - - - Vanuatu. - - - - - Wallis and Futuna Islands. - - - - - Samoa. - - - - - Yemen. - - - - - Mayotte. - - - - - Yugoslavia. - - - - - South Africa. - - - - - Zambia. - - - - - Zimbabwe. - - - - - + CEN TC278 WG3 SG6 +
+ IFOPT Fixed Objects in Public Transport - countries as Types. + Standard +
+
+ Countries for IFOPT Fixed Objects in Public Transport. +
+ + + + Type for Country identifier. + + + + + + Type for reference to a Country identifier. + + + + + + + + + Allowed values for classifying NPTG Localities. + + + + + Ascension Island. + + + + + Andorra. + + + + + United Arab Emirates. + + + + + Afghanistan. + + + + + Antigua and Barbuda. + + + + + Anguilla. + + + + + Albania. + + + + + Armenia. + + + + + Netherlands Antilles. + + + + + Angola. + + + + + Antarctica. + + + + + Argentina. + + + + + American Samoa. + + + + + Austria. + + + + + Australia. + + + + + Aruba. + + + + + Azerbaijan. + + + + + Aland Islands. + + + + + Bosnia and Herzegovina. + + + + + Barbados. + + + + + Bangladesh. + + + + + Belgium. + + + + + Burkina Faso. + + + + + Bulgaria. + + + + + Bahrain. + + + + + Burundi. + + + + + Benin. + + + + + Bermuda. + + + + + Brunei Darussalam. + + + + + Bolivia. + + + + + Brazil. + + + + + Bahamas. + + + + + Bhutan. + + + + + Bouvet Island. + + + + + Botswana. + + + + + Belarus. + + + + + Belize. + + + + + Canada. + + + + + Cocos (Keeling) Islands. + + + + + Congo, The Democratic Republic of the. + + + + + Central African Republic. + + + + + Congo, Republic of. + + + + + Switzerland. + + + + + Cote d'Ivoire. + + + + + Cook Islands. + + + + + Chile. + + + + + Cameroon. + + + + + China. + + + + + Colombia. + + + + + Costa Rica. + + + + + Serbia and Montenegro. + + + + + Cuba. + + + + + Cape Verde. + + + + + Christmas Island. + + + + + Cyprus. + + + + + Czech Republic. + + + + + Germany. + + + + + Djibouti. + + + + + Denmark. + + + + + Dominica. + + + + + Dominican Republic. + + + + + Algeria. + + + + + Ecuador. + + + + + Estonia. + + + + + Egypt. + + + + + Western Sahara. + + + + + Eritrea. + + + + + Spain. + + + + + Ethiopia. + + + + + European Union. + + + + + Finland. + + + + + Fiji. + + + + + Falkland Islands (Malvinas) + + + + + Micronesia, Federal State of. + + + + + Faroe Islands. + + + + + France. + + + + + Gabon. + + + + + United Kingdom. + + + + + Grenada. + + + + + Georgia. + + + + + French Guiana. + + + + + Guernsey. + + + + + Ghana. + + + + + Gibraltar. + + + + + Greenland. + + + + + Gambia. + + + + + Guinea. + + + + + Guadeloupe. + + + + + Equatorial Guinea. + + + + + Greece. + + + + + South Georgia and the South Sandwich Islands. + + + + + Guatemala. + + + + + Guam. + + + + + Guinea-Bissau. + + + + + Guyana. + + + + + Hong Kong. + + + + + Heard and McDonald Islands. + + + + + Honduras. + + + + + Croatia/Hrvatska. + + + + + Haiti. + + + + + Hungary. + + + + + Indonesia. + + + + + Ireland. + + + + + Israel. + + + + + Isle of Man. + + + + + India. + + + + + British Indian Ocean Territory. + + + + + Iraq + + + + + Iran, Islamic Republic of. + + + + + Iceland. + + + + + Italy. + + + + + Jersey. + + + + + Jamaica. + + + + + Jordan. + + + + + Japan. + + + + + Kenya. + + + + + Kyrgyzstan. + + + + + Cambodia. + + + + + Kiribati. + + + + + Comoros. + + + + + Saint Kitts and Nevis. + + + + + Korea, Democratic People's Republic. + + + + + Korea, Republic of. + + + + + Kuwait. + + + + + Cayman Islands. + + + + + Kazakhstan. + + + + + Lao People's Democratic Republic. + + + + + Lebanon. + + + + + Saint Lucia. + + + + + Liechtenstein. + + + + + Sri Lanka. + + + + + Liberia. + + + + + Lesotho. + + + + + Lithuania. + + + + + Luxembourg. + + + + + Latvia. + + + + + Libyan Arab Jamahiriya. + + + + + Morocco. + + + + + Monaco. + + + + + Moldova, Republic of. + + + + + Madagascar. + + + + + Marshall Islands. + + + + + Macedonia, The Former Yugoslav Republic of. + + + + + Mali. + + + + + Myanmar. + + + + + Mongolia. + + + + + Macau. + + + + + Northern Mariana Islands. + + + + + Martinique. + + + + + Mauritania. + + + + + Montserrat. + + + + + Malta. + + + + + Mauritius. + + + + + Maldives. + + + + + Malawi. + + + + + Mexico. + + + + + Malaysia. + + + + + Mozambique. + + + + + Namibia. + + + + + New Caledonia. + + + + + Niger. + + + + + Norfolk Island. + + + + + Nigeria. + + + + + Nicaragua. + + + + + Netherlands. + + + + + Norway. + + + + + Nepal. + + + + + Nauru. + + + + + Niue. + + + + + New Zealand. + + + + + Oman. + + + + + Panama. + + + + + Peru. + + + + + French Polynesia. + + + + + Papua New Guinea. + + + + + Philippines. + + + + + Pakistan. + + + + + Poland. + + + + + Saint Pierre and Miquelon. + + + + + Pitcairn Island. + + + + + Puerto Rico. + + + + + Palestinian Territories. + + + + + Portugal. + + + + + Palau. + + + + + Paraguay. + + + + + Qatar. + + + + + Reunion Island. + + + + + Romania. + + + + + Russian Federation. + + + + + Rwanda. + + + + + Saudi Arabia. + + + + + Solomon Islands. + + + + + Seychelles. + + + + + Sudan. + + + + + Sweden. + + + + + Singapore. + + + + + Saint Helena. + + + + + Slovenia. + + + + + Svalbard and Jan Mayen Islands. + + + + + Slovak Republic. + + + + + Sierra Leone. + + + + + San Marino. + + + + + Senegal. + + + + + Somalia. + + + + + Suriname. + + + + + Sao Tome and Principe. + + + + + El Salvador. + + + + + Syrian Arab Republic. + + + + + Swaziland. + + + + + Turks and Caicos Islands. + + + + + Chad. + + + + + French Southern Territories. + + + + + Togo. + + + + + Thailand. + + + + + Tajikistan. + + + + + Tokelau. + + + + + Timor-Leste. + + + + + Turkmenistan. + + + + + Tunisia. + + + + + Tonga. + + + + + East Timor. + + + + + Turkey. + + + + + Trinidad and Tobago. + + + + + Tuvalu. + + + + + Taiwan. + + + + + Tanzania. + + + + + Ukraine. + + + + + Uganda. + + + + + United Kingdom. + + + + + United States Minor Outlying Islands. + + + + + United States. + + + + + Uruguay. + + + + + Uzbekistan. + + + + + Holy See (Vatican City State) + + + + + Saint Vincent and the Grenadines. + + + + + Venezuela. + + + + + Virgin Islands, British. + + + + + Virgin Islands, Us. + + + + + Vietnam. + + + + + Vanuatu. + + + + + Wallis and Futuna Islands. + + + + + Samoa. + + + + + Yemen. + + + + + Mayotte. + + + + + Yugoslavia. + + + + + South Africa. + + + + + Zambia. + + + + + Zimbabwe. + + + + +
diff --git a/xsd/ifopt/ifopt_equipment.xsd b/xsd/ifopt/ifopt_equipment.xsd index e18088f0..05c895ea 100644 --- a/xsd/ifopt/ifopt_equipment.xsd +++ b/xsd/ifopt/ifopt_equipment.xsd @@ -1,43 +1,44 @@ - - - - main schema - e-service developers - Europe - Drafted for version 1.0 CEN TC278 WG3 SG6 Editor Nicholas Knowles, Kizoom. mailto:schemer@ifopt.org.uk - - 2006-08-12 - - - 2006-09-22 - - - 2007-03-29 - - -

Fixed Objects in Public Transport. This subschema defines equipment base types.

-
- - text/xml - http://www.w3.org/2001/XMLSchema - XML schema, W3C Recommendation 2001 - - {http://www.siri.org.uk/schema/2.0/ifopt}ifopt_equipment.xsd - [ISO 639-2/B] ENG - Kizoom, 109-123 Clifton Street, London EC4A 4LD - - CEN, Crown Copyright 2006-2021 + + + + main schema + e-service developers + Europe + Drafted for version 1.0 CEN TC278 WG3 SG6 Editor Nicholas Knowles, Kizoom. mailto:schemer@ifopt.org.uk + + 2006-08-12 + + + 2006-09-22 + + + 2007-03-29 + + +

Fixed Objects in Public Transport. This subschema defines equipment base types.

+
+ + text/xml + http://www.w3.org/2001/XMLSchema + XML schema, W3C Recommendation 2001 + + {http://www.siri.org.uk/schema/2.0/ifopt}ifopt_equipment.xsd + [ISO 639-2/B] ENG + Kizoom, 109-123 Clifton Street, London EC4A 4LD + + + CEN, Crown Copyright 2006-2021 - -
    -
  • Derived from the TransModel standards.
  • -
- - Version 2.1 - - Arts, recreation and travel, Tourism, Travel (tourism), Transport, + +
    +
  • Derived from the TransModel standards.
  • +
+ + Version 2.1 + + Arts, recreation and travel, Tourism, Travel (tourism), Transport, Air transport, Airports, Ports and maritime transport, Ferries (marine), Public transport, Bus services, Coach services, Bus stops and stations, @@ -45,163 +46,163 @@ Rail transport, Railway stations and track, Train services, Underground trains, Business and industry, Transport, Air transport, Ports and maritime transport, Public transport, Rail transport, Roads and road transport - CEN TC278 WG3 SG6 - - IFOPT Fixed Objects in Public Transport - Equipment Base Types. - Standard -
-
- Equipment types for IFOPT Fixed Objects in Public Transport. -
- - - - - - - - Type for identifier of EQUIPMENT. - - - - - - Type for reference to a EQUIPMENT. - - - - - - - - - Type for a identifier of EQUIPMENT. - - - - - - Type for TYPE OF EQUIPMENT. - - - - - - - - - Availabilityload status of a EQUIPMENT. - - - - - - - - - - - Coomon Elements for EQUIPMENt. - - - - - Identifer of EQUIPMENT. - - - - - Name of EQUIPMENT. - - - - - Type for reference to TYPE OF EQUIPMENT. - - - - - - - Type for abstract EQUIPMENT. - - - - - - - - - - - - Type for INSTALLED EQUIPMENT. - - - - - - - - - Type for SITE EQUIPMENT. - - - - - - - - - - - - EQUIPMENT. that may be in a fixed within a SITe. - - - - - - LOCAL SERVICe. - - - - - Element for LOCAL SERVICe. - - - - - Conditison governing availability of serevice. - - - - - Classification of features. - - - - - - Features of LOCAL SERVICe. - - - - - - - - - - Type for LOCAL SERVICE. - - - - - - - - - - + CEN TC278 WG3 SG6 + + IFOPT Fixed Objects in Public Transport - Equipment Base Types. + Standard +
+
+ Equipment types for IFOPT Fixed Objects in Public Transport. +
+ + + + + + + + Type for identifier of EQUIPMENT. + + + + + + Type for reference to a EQUIPMENT. + + + + + + + + + Type for a identifier of EQUIPMENT. + + + + + + Type for TYPE OF EQUIPMENT. + + + + + + + + + Availabilityload status of a EQUIPMENT. + + + + + + + + + + + Coomon Elements for EQUIPMENt. + + + + + Identifer of EQUIPMENT. + + + + + Name of EQUIPMENT. + + + + + Type for reference to TYPE OF EQUIPMENT. + + + + + + + Type for abstract EQUIPMENT. + + + + + + + + + + + + Type for INSTALLED EQUIPMENT. + + + + + + + + + Type for SITE EQUIPMENT. + + + + + + + + + + + + EQUIPMENT. that may be in a fixed within a SITe. + + + + + + LOCAL SERVICe. + + + + + Element for LOCAL SERVICe. + + + + + Conditison governing availability of serevice. + + + + + Classification of features. + + + + + + Features of LOCAL SERVICe. + + + + + + + + + + Type for LOCAL SERVICE. + + + + + + + + + +
diff --git a/xsd/ifopt/ifopt_location.xsd b/xsd/ifopt/ifopt_location.xsd index 4bc0d688..10d09755 100644 --- a/xsd/ifopt/ifopt_location.xsd +++ b/xsd/ifopt/ifopt_location.xsd @@ -1,49 +1,52 @@ - - - - main schema - e-service developers - Europe - Drafted for version 1.0 CEN TC278 WG3 SG6 Editor Nicholas Knowles, Kizoom. mailto:schemer@ifopt.org.uk - - 2006-08-12 - - - 2006-09-22 - - 2007-03-22 + + + + main schema + e-service developers + Europe + Drafted for version 1.0 CEN TC278 WG3 SG6 Editor Nicholas Knowles, Kizoom. mailto:schemer@ifopt.org.uk + + 2006-08-12 + + + 2006-09-22 + + + 2007-03-22 - - 2007-06-12 - - 2011-04-19 - + + 2007-06-12 + + + 2011-04-19 + - -

Fixed Objects in Public Transport. This subschema defines common location types.

-
- - text/xml - http://www.w3.org/2001/XMLSchema - XML schema, W3C Recommendation 2001 - - {http://www.siri.org.uk/schema/2.0/ifopt}ifopt_location.xsd - [ISO 639-2/B] ENG - Kizoom, 109-123 Clifton Street, London EC4A 4LD - - CEN, Crown Copyright 2006-2021 + +

Fixed Objects in Public Transport. This subschema defines common location types.

+
+ + text/xml + http://www.w3.org/2001/XMLSchema + XML schema, W3C Recommendation 2001 + + {http://www.siri.org.uk/schema/2.0/ifopt}ifopt_location.xsd + [ISO 639-2/B] ENG + Kizoom, 109-123 Clifton Street, London EC4A 4LD + + + CEN, Crown Copyright 2006-2021 - -
    -
  • Derived from the SIRI standards.
  • -
- - Version 2.1 - - Arts, recreation and travel, Tourism, Travel (tourism), Transport, + +
    +
  • Derived from the SIRI standards.
  • +
+ + Version 2.1 + + Arts, recreation and travel, Tourism, Travel (tourism), Transport, Air transport, Airports, Ports and maritime transport, Ferries (marine), Public transport, Bus services, Coach services, Bus stops and stations, @@ -51,231 +54,231 @@ Rail transport, Railway stations and track, Train services, Underground trains, Business and industry, Transport, Air transport, Ports and maritime transport, Public transport, Rail transport, Roads and road transport - CEN TC278 WG3 SG6 - - IFOPT Fixed Objects in Public Transport - location Types. - Standard -
-
- location types for IFOPT Fixed Objects in Public Transport. -
- - - - - - - GIS Features that this element projects onto. - - - - - - Identifier of FEATURE in a GIS data system. - - - - - - - - - - Type for reference to a FEATURE. - - - - - Unique identfiier of referenced element, eg TOId. - - - - - Type for identifier of FEATURE. - - - - - - - Type for identifier of a GIS FEATURe. - - - - - - Type for reference to a GIS FEATURe. - - - - - - - - - Points may be defined in tagged format or using GM coordinates element. - - - - - Type for geospatial Position of a point. May be expressed in concrete WGS 84 Coordinates or any GML compatible point coordinates format. - - - - - - - WGS84 Corodinates. - - - - - Coordinates of points in a GML compatible format, as indicated by srsName attribute. - - - - - Precision for point measurement. In meters. - - - - - - Identifier of POINT. - - - - - identifier of data reference system for geocodes, if point is specified as GML compatible Coordinates. A GML value. If not specified taken from system configuration. - - - - - - - - WGS84 Coordinates. - - - - - Longitude from Greenwich Meridian. -180° (East) to +180° (West). - - - - - Latitude from equator. -90° (South) to +90° (North). - - - - - Altitude. - - - - - - - GML compatible markup as series of values. - - - - - - - - - Projection as a geospatial polyline. - - - - - Type for PROJECTION as a geospatial polyline. - - - - - - - Ordered sequence of points. There must always be a start and end point. - - - - - - - - - - - - - - - PROJECTION onto a geospatial zone. - - - - - Type for PROJECTION as a geospatial zone. - - - - - - - Boundary line of Zone as an ordered set of points. - - - - - - - - - - - - - - Defines geospatial data elements for a zone such that it can be projected. - - - - - - - - - - - 8 point compass. - - - - - - - - - - - - - - - 16 point compass. - - - - - - - - - - - - - + CEN TC278 WG3 SG6 + + IFOPT Fixed Objects in Public Transport - location Types. + Standard +
+
+ location types for IFOPT Fixed Objects in Public Transport. +
+ + + + + + + GIS Features that this element projects onto. + + + + + + Identifier of FEATURE in a GIS data system. + + + + + + + + + + Type for reference to a FEATURE. + + + + + Unique identfiier of referenced element, eg TOId. + + + + + Type for identifier of FEATURE. + + + + + + + Type for identifier of a GIS FEATURe. + + + + + + Type for reference to a GIS FEATURe. + + + + + + + + + Points may be defined in tagged format or using GM coordinates element. + + + + + Type for geospatial Position of a point. May be expressed in concrete WGS 84 Coordinates or any GML compatible point coordinates format. + + + + + + + WGS84 Corodinates. + + + + + Coordinates of points in a GML compatible format, as indicated by srsName attribute. + + + + + Precision for point measurement. In meters. + + + + + + Identifier of POINT. + + + + + identifier of data reference system for geocodes, if point is specified as GML compatible Coordinates. A GML value. If not specified taken from system configuration. + + + + + + + + WGS84 Coordinates. + + + + + Longitude from Greenwich Meridian. -180° (East) to +180° (West). + + + + + Latitude from equator. -90° (South) to +90° (North). + + + + + Altitude. + + + + + + + GML compatible markup as series of values. + + + + + + + + + Projection as a geospatial polyline. + + + + + Type for PROJECTION as a geospatial polyline. + + + + + + + Ordered sequence of points. There must always be a start and end point. + + + + + + + + + + + + + + + PROJECTION onto a geospatial zone. + + + + + Type for PROJECTION as a geospatial zone. + + + + + + + Boundary line of Zone as an ordered set of points. + + + + + + + + + + + + + + Defines geospatial data elements for a zone such that it can be projected. + + + + + + + + + + + 8 point compass. + + + + + + + + + + + + + + + 16 point compass. + + + + + + + + + + + + +
diff --git a/xsd/ifopt/ifopt_modes.xsd b/xsd/ifopt/ifopt_modes.xsd index 49e8d5d0..e911e92d 100644 --- a/xsd/ifopt/ifopt_modes.xsd +++ b/xsd/ifopt/ifopt_modes.xsd @@ -1,40 +1,41 @@ - - - - main schema - e-service developers - Europe - Drafted for version 1.0 CEN TC278 WG3 SG6 Editor Nicholas Knowles, Kizoom. mailto:schemer@ifopt.org.uk - - 2006-08-12 - - - 2006-09-22 - - -

Fixed Objects in Public Transport. This subschema defines common mode types.

-
- - text/xml - http://www.w3.org/2001/XMLSchema - XML schema, W3C Recommendation 2001 - - {http://www.siri.org.uk/schema/2.0/ifopt}ifopt_modes.xsd - [ISO 639-2/B] ENG - Kizoom, 109-123 Clifton Street, London EC4A 4LD - - CEN, Crown Copyright 2006-2021 + + + + main schema + e-service developers + Europe + Drafted for version 1.0 CEN TC278 WG3 SG6 Editor Nicholas Knowles, Kizoom. mailto:schemer@ifopt.org.uk + + 2006-08-12 + + + 2006-09-22 + + +

Fixed Objects in Public Transport. This subschema defines common mode types.

+
+ + text/xml + http://www.w3.org/2001/XMLSchema + XML schema, W3C Recommendation 2001 + + {http://www.siri.org.uk/schema/2.0/ifopt}ifopt_modes.xsd + [ISO 639-2/B] ENG + Kizoom, 109-123 Clifton Street, London EC4A 4LD + + + CEN, Crown Copyright 2006-2021 - -
    -
  • Derived from the SIRI standards.
  • -
- - Version 2.1 - - Arts, recreation and travel, Tourism, Travel (tourism), Transport, + +
    +
  • Derived from the SIRI standards.
  • +
+ + Version 2.1 + + Arts, recreation and travel, Tourism, Travel (tourism), Transport, Air transport, Airports, Ports and maritime transport, Ferries (marine), Public transport, Bus services, Coach services, Bus stops and stations, @@ -42,43 +43,43 @@ Rail transport, Railway stations and track, Train services, Underground trains, Business and industry, Transport, Air transport, Ports and maritime transport, Public transport, Rail transport, Roads and road transport - CEN TC278 WG3 SG6 - - IFOPT Fixed Objects in Public Transport - mode Types. - Standard -
-
- Mode types for IFOPT Fixed Objects in Public Transport. -
- - - - - Allowed categories of STOP PLACE. - - - - - - - - - - - - - - - - - Allowed categroies of access to STOP PLACE. - - - - - - - - - + CEN TC278 WG3 SG6 + + IFOPT Fixed Objects in Public Transport - mode Types. + Standard +
+
+ Mode types for IFOPT Fixed Objects in Public Transport. +
+ + + + + Allowed categories of STOP PLACE. + + + + + + + + + + + + + + + + + Allowed categroies of access to STOP PLACE. + + + + + + + + +
diff --git a/xsd/ifopt/ifopt_modification.xsd b/xsd/ifopt/ifopt_modification.xsd index 5014a5db..3608506d 100644 --- a/xsd/ifopt/ifopt_modification.xsd +++ b/xsd/ifopt/ifopt_modification.xsd @@ -1,44 +1,45 @@ - - - - main schema - e-service developers - Europe - Drafted for version 1.0 CEN TC278 WG3 SG6 Editor Nicholas Knowles, Kizoom. mailto:schemer@ifopt.org.uk - - 2006-08-12 - - - 2006-09-22 - - - 2007-03-29 - - -

Fixed Objects in Public Transport. This subschema defines data Modification base types.

-
- - text/xml - http://www.w3.org/2001/XMLSchema - XML schema, W3C Recommendation 2001 - - {http://www.siri.org.uk/schema/2.0/ifopt}ifopt_modification.xsd - [ISO 639-2/B] ENG - Kizoom, 109-123 Clifton Street, London EC4A 4LD - - CEN, Crown Copyright 2006-2021 + + + + main schema + e-service developers + Europe + Drafted for version 1.0 CEN TC278 WG3 SG6 Editor Nicholas Knowles, Kizoom. mailto:schemer@ifopt.org.uk + + 2006-08-12 + + + 2006-09-22 + + + 2007-03-29 + + +

Fixed Objects in Public Transport. This subschema defines data Modification base types.

+
+ + text/xml + http://www.w3.org/2001/XMLSchema + XML schema, W3C Recommendation 2001 + + {http://www.siri.org.uk/schema/2.0/ifopt}ifopt_modification.xsd + [ISO 639-2/B] ENG + Kizoom, 109-123 Clifton Street, London EC4A 4LD + + + CEN, Crown Copyright 2006-2021 - -
    -
  • Derived from the SIRI standards.
  • -
- - Version 2.1 - - Arts, recreation and travel, Tourism, Travel (tourism), Transport, + +
    +
  • Derived from the SIRI standards.
  • +
+ + Version 2.1 + + Arts, recreation and travel, Tourism, Travel (tourism), Transport, Air transport, Airports, Ports and maritime transport, Ferries (marine), Public transport, Bus services, Coach services, Bus stops and stations, @@ -46,128 +47,128 @@ Rail transport, Railway stations and track, Train services, Underground trains, Business and industry, Transport, Air transport, Ports and maritime transport, Public transport, Rail transport, Roads and road transport - CEN TC278 WG3 SG6 - - IFOPT Fixed Objects in Public Transport - Modification Types. - Standard -
-
- Data Modification types for IFOPT Fixed Objects in Public Transport. -
- - - - - - - Classification of modification as addition, deletion or revision. Enumerated value. - - - - - This is a definition of a new entity. - - - - - This is a deletion of an existing entity. - - - - - This is a revision to an existing entity. All values are replaced. - - - - - - - Classification of modification as addition, deletion, revision or delta only. Enumerated value. - - - - - This is a definition of a new entity. - - - - - This is a deletion of an existing entity. - - - - - This is a revision to an existing entity. All values are replaced. - - - - - This is a change to an existing enity. Only those values expliciitly supplied will be changed. - - - - - - - A revision number is an integer that should be increased by one each time the unit that is refers to is modified. - - - - - - Indicates whether the entity this annotates is available for use. Use of this attribute allows entities to be retired without deleting the details from the dataset. - - - - - Entity is active. - - - - - Entity is inactive. - - - - - Entity is still active but is in the process of being made inactive. - - - - - - - Grouping for modifications metadata. Creation Date required. - - - - - - - - - - Grouping for modifications metadata. - - - - - - - - - - Grouping for modifications metadata for a document. - - - - - - - - - The name of the file containing the instance document. - - - + CEN TC278 WG3 SG6 + + IFOPT Fixed Objects in Public Transport - Modification Types. + Standard +
+
+ Data Modification types for IFOPT Fixed Objects in Public Transport. +
+ + + + + + + Classification of modification as addition, deletion or revision. Enumerated value. + + + + + This is a definition of a new entity. + + + + + This is a deletion of an existing entity. + + + + + This is a revision to an existing entity. All values are replaced. + + + + + + + Classification of modification as addition, deletion, revision or delta only. Enumerated value. + + + + + This is a definition of a new entity. + + + + + This is a deletion of an existing entity. + + + + + This is a revision to an existing entity. All values are replaced. + + + + + This is a change to an existing enity. Only those values expliciitly supplied will be changed. + + + + + + + A revision number is an integer that should be increased by one each time the unit that is refers to is modified. + + + + + + Indicates whether the entity this annotates is available for use. Use of this attribute allows entities to be retired without deleting the details from the dataset. + + + + + Entity is active. + + + + + Entity is inactive. + + + + + Entity is still active but is in the process of being made inactive. + + + + + + + Grouping for modifications metadata. Creation Date required. + + + + + + + + + + Grouping for modifications metadata. + + + + + + + + + + Grouping for modifications metadata for a document. + + + + + + + + + The name of the file containing the instance document. + + +
diff --git a/xsd/ifopt/ifopt_path.xsd b/xsd/ifopt/ifopt_path.xsd index d9028287..a8ef251f 100644 --- a/xsd/ifopt/ifopt_path.xsd +++ b/xsd/ifopt/ifopt_path.xsd @@ -1,40 +1,41 @@ - - - - main schema - e-service developers - Europe - Drafted for version 1.0 CEN TC278 WG3 SG6 Editor Nicholas Knowles, Kizoom. mailto:schemer@ifopt.org.uk - - 2007-03-12 - - - 2007-03-29 - - -

Fixed Objects in Public Transport. This subschema defines STOP PLACE path types.

-
- - text/xml - http://www.w3.org/2001/XMLSchema - XML schema, W3C Recommendation 2001 - - {http://www.siri.org.uk/schema/2.0/ifopt}ifopt_types.xsd - [ISO 639-2/B] ENG - Kizoom, 109-123 Clifton Street, London EC4A 4LD - - CEN, Crown Copyright 2006-2021 + + + + main schema + e-service developers + Europe + Drafted for version 1.0 CEN TC278 WG3 SG6 Editor Nicholas Knowles, Kizoom. mailto:schemer@ifopt.org.uk + + 2007-03-12 + + + 2007-03-29 + + +

Fixed Objects in Public Transport. This subschema defines STOP PLACE path types.

+
+ + text/xml + http://www.w3.org/2001/XMLSchema + XML schema, W3C Recommendation 2001 + + {http://www.siri.org.uk/schema/2.0/ifopt}ifopt_types.xsd + [ISO 639-2/B] ENG + Kizoom, 109-123 Clifton Street, London EC4A 4LD + + + CEN, Crown Copyright 2006-2021 - -
    -
  • Derived from the SIRI standards.
  • -
- - Version 2.1 - - Arts, recreation and travel, Tourism, Travel (tourism), Transport, + +
    +
  • Derived from the SIRI standards.
  • +
+ + Version 2.1 + + Arts, recreation and travel, Tourism, Travel (tourism), Transport, Air transport, Airports, Ports and maritime transport, Ferries (marine), Public transport, Bus services, Coach services, Bus stops and stations, @@ -42,123 +43,123 @@ Rail transport, Railway stations and track, Train services, Underground trains, Business and industry, Transport, Air transport, Ports and maritime transport, Public transport, Rail transport, Roads and road transport - CEN TC278 WG3 SG6 - - IFOPT Fixed Objects in Public Transport - STOP PLACE Base Types. - Standard -
-
- Basic link types for IFOPT Fixed Objects in Public Transport. -
- - - - Type for identifier of PATH JUNCTION. - - - - - - Reference to a PATH JUNCTION. - - - - - Type for reference to a PATH JUNCTION. - - - - - - - - - - - Type for identifier of an ACCESS link. - - - - - - Reference to an ACCESS link. - - - - - Type for reference to an ACCESS link. - - - - - - - - - Type for identifier of NAVIGATION PATH. - - - - - - Reference to a NAVIGATION PATH. - - - - - Type for reference to a NAVIGATION PATH. - - - - - - - - - Values for flow DIRECTION along PATH LINk. - - - - - - - - - Values for path heading. - - - - - - - - - - - - - Values for path heading. - - - - - - - - - - - Values for NAVIGATION PATH. type. - - - - - - - - - - - - + CEN TC278 WG3 SG6 + + IFOPT Fixed Objects in Public Transport - STOP PLACE Base Types. + Standard +
+
+ Basic link types for IFOPT Fixed Objects in Public Transport. +
+ + + + Type for identifier of PATH JUNCTION. + + + + + + Reference to a PATH JUNCTION. + + + + + Type for reference to a PATH JUNCTION. + + + + + + + + + + + Type for identifier of an ACCESS link. + + + + + + Reference to an ACCESS link. + + + + + Type for reference to an ACCESS link. + + + + + + + + + Type for identifier of NAVIGATION PATH. + + + + + + Reference to a NAVIGATION PATH. + + + + + Type for reference to a NAVIGATION PATH. + + + + + + + + + Values for flow DIRECTION along PATH LINk. + + + + + + + + + Values for path heading. + + + + + + + + + + + + + Values for path heading. + + + + + + + + + + + Values for NAVIGATION PATH. type. + + + + + + + + + + + +
diff --git a/xsd/ifopt/ifopt_stop.xsd b/xsd/ifopt/ifopt_stop.xsd index 0edbd5bd..a0562af1 100644 --- a/xsd/ifopt/ifopt_stop.xsd +++ b/xsd/ifopt/ifopt_stop.xsd @@ -1,49 +1,52 @@ - - - - main schema - e-service developers - Europe - Drafted for version 1.0 CEN TC278 WG3 SG6 Editor Nicholas Knowles, Kizoom. mailto:schemer@ifopt.org.uk - - 2006-08-12 - - - 2006-09-22 - - - 2007-03-29 - - 2012-03-12 + + + + main schema + e-service developers + Europe + Drafted for version 1.0 CEN TC278 WG3 SG6 Editor Nicholas Knowles, Kizoom. mailto:schemer@ifopt.org.uk + + 2006-08-12 + + + 2006-09-22 + + + 2007-03-29 + + + 2012-03-12 - 2018-11-13 - + + 2018-11-13 + - -

Fixed Objects in Public Transport. This subschema defines STOP PLACE base types.

-
- - text/xml - http://www.w3.org/2001/XMLSchema - XML schema, W3C Recommendation 2001 - - {http://www.siri.org.uk/schema/2.0/ifopt}ifopt_types.xsd - [ISO 639-2/B] ENG - Kizoom, 109-123 Clifton Street, London EC4A 4LD - - CEN, Crown Copyright 2006-2021 + +

Fixed Objects in Public Transport. This subschema defines STOP PLACE base types.

+
+ + text/xml + http://www.w3.org/2001/XMLSchema + XML schema, W3C Recommendation 2001 + + {http://www.siri.org.uk/schema/2.0/ifopt}ifopt_types.xsd + [ISO 639-2/B] ENG + Kizoom, 109-123 Clifton Street, London EC4A 4LD + + + CEN, Crown Copyright 2006-2021 - -
    -
  • Derived from the SIRI standards.
  • -
- - Version 2.1 - - Arts, recreation and travel, Tourism, Travel (tourism), Transport, + +
    +
  • Derived from the SIRI standards.
  • +
+ + Version 2.1 + + Arts, recreation and travel, Tourism, Travel (tourism), Transport, Air transport, Airports, Ports and maritime transport, Ferries (marine), Public transport, Bus services, Coach services, Bus stops and stations, @@ -51,353 +54,353 @@ Rail transport, Railway stations and track, Train services, Underground trains, Business and industry, Transport, Air transport, Ports and maritime transport, Public transport, Rail transport, Roads and road transport - CEN TC278 WG3 SG6 - - IFOPT Fixed Objects in Public Transport - STOP PLACE Base Types. - Standard -
-
- Basic STOP PLACE types for IFOPT Fixed Objects in Public Transport. -
- - - - - Type for identifier of STOP PLACE. - - - - - - Reference to a STOP PLACE. - - - - - Type for reference to a STOP PLACE. - - - - - - - - Type for a collection of one or more references to a STOP PLACE. - - - - - - - - - Type for identifier of STOP PLACE. - - - - - - Type for reference to STOP PLACE. - - - - - - - - Type for reference to STOP PLACE Space. - - - - - - - - Type for reference to QUAY. - - - - - - - - Type for reference to ACCESS SPACe. - - - - - - - - Type for reference to BOARDING POSITION. - - - - - - - - Type for reference to STOP PLACE Entrance. - - - - - - - - Type for reference to VEHICLE STOPPING PLACe. - - - - - - - - Type for reference to VEHICLE STOPPING POSITION. - - - - - - - - - Type for identifier of a building LEVEL within a STOP PLACE. - - - - - - Type for reference to identifier of LEVEL. - - - - - - - - - Type for reference to identifier of PATHLINK. - - - - - - - - Type for reference to STOP PLACE Space. - - - - - - - - - Identifier of a stop for SMS and other customer facing delivery channels. - - - - - - Private code alternative identifier that may be associated with element. - - - - - - The plate identifier placed on the stop. - - - - - - Number associated with stop used for wireless cleardown systems. 20 bit number. - - - - - - Alternative identifiers of a stop. - - - - - Short public code for passengers to use when identifying the stop by SMS and other self-service channels. - - - - - A private code that identifies the stop. May be used for inter-operating with other (legacy) systems. - - - - - Plate number for stop. An arbitrary asset number that may be placed on stop to identify it. - - - - - A 20 bit number used for wireless cleardown of stop displays by some AVL systems. - - - - - - - Enumeration of STOP PLACE types. - - - - - - - - - - - - - - - - - - - Alternative Private Code. - - - - - Alternative identifier. - - - - - Type of Identifier. - - - - - - - - Enumeration of SITE COMPONENT Types. - - - - - - - - - - - - Enumeration of QUAY Types. - - - - - - - - - - - - - - deprecated - - - - - - - - - - Enumeration of ACCESS SPACE Types. - - - - - - - - - - - - - - - - - - - - Enumeration of Passage Types. - - - - - - - - - - - - - - Enumeration of BOARDING POSITION Types. - - - - - - - - - - - - - - deprecated - - - - - - - - - - - Enumeration of Relation to VEHICLE of STOPPING POSITION. - - - - - - - - - - - - - Enumeration of Interchange Weighting. - - - - - - - - - + CEN TC278 WG3 SG6 + + IFOPT Fixed Objects in Public Transport - STOP PLACE Base Types. + Standard +
+
+ Basic STOP PLACE types for IFOPT Fixed Objects in Public Transport. +
+ + + + + Type for identifier of STOP PLACE. + + + + + + Reference to a STOP PLACE. + + + + + Type for reference to a STOP PLACE. + + + + + + + + Type for a collection of one or more references to a STOP PLACE. + + + + + + + + + Type for identifier of STOP PLACE. + + + + + + Type for reference to STOP PLACE. + + + + + + + + Type for reference to STOP PLACE Space. + + + + + + + + Type for reference to QUAY. + + + + + + + + Type for reference to ACCESS SPACe. + + + + + + + + Type for reference to BOARDING POSITION. + + + + + + + + Type for reference to STOP PLACE Entrance. + + + + + + + + Type for reference to VEHICLE STOPPING PLACe. + + + + + + + + Type for reference to VEHICLE STOPPING POSITION. + + + + + + + + + Type for identifier of a building LEVEL within a STOP PLACE. + + + + + + Type for reference to identifier of LEVEL. + + + + + + + + + Type for reference to identifier of PATHLINK. + + + + + + + + Type for reference to STOP PLACE Space. + + + + + + + + + Identifier of a stop for SMS and other customer facing delivery channels. + + + + + + Private code alternative identifier that may be associated with element. + + + + + + The plate identifier placed on the stop. + + + + + + Number associated with stop used for wireless cleardown systems. 20 bit number. + + + + + + Alternative identifiers of a stop. + + + + + Short public code for passengers to use when identifying the stop by SMS and other self-service channels. + + + + + A private code that identifies the stop. May be used for inter-operating with other (legacy) systems. + + + + + Plate number for stop. An arbitrary asset number that may be placed on stop to identify it. + + + + + A 20 bit number used for wireless cleardown of stop displays by some AVL systems. + + + + + + + Enumeration of STOP PLACE types. + + + + + + + + + + + + + + + + + + + Alternative Private Code. + + + + + Alternative identifier. + + + + + Type of Identifier. + + + + + + + + Enumeration of SITE COMPONENT Types. + + + + + + + + + + + + Enumeration of QUAY Types. + + + + + + + + + + + + + + deprecated + + + + + + + + + + Enumeration of ACCESS SPACE Types. + + + + + + + + + + + + + + + + + + + + Enumeration of Passage Types. + + + + + + + + + + + + + + Enumeration of BOARDING POSITION Types. + + + + + + + + + + + + + + deprecated + + + + + + + + + + + Enumeration of Relation to VEHICLE of STOPPING POSITION. + + + + + + + + + + + + + Enumeration of Interchange Weighting. + + + + + + + + +
diff --git a/xsd/ifopt/ifopt_time.xsd b/xsd/ifopt/ifopt_time.xsd index 68666289..b09d186f 100644 --- a/xsd/ifopt/ifopt_time.xsd +++ b/xsd/ifopt/ifopt_time.xsd @@ -1,40 +1,41 @@ - - - - main schema - e-service developers - Europe - Drafted for version 1.0 CEN TC278 WG3 SG6 Editor Nicholas Knowles, Kizoom. mailto:schemer@ifopt.org.uk - - 2006-08-12 - - - 2006-09-22 - - -

Fixed Objects in Public Transport. This subschema defines. Time base types.

-
- - text/xml - http://www.w3.org/2001/XMLSchema - XML schema, W3C Recommendation 2001 - - {http://www.siri.org.uk/schema/2.0/ifopt}ifopt_types.xsd - [ISO 639-2/B] ENG - Kizoom, 109-123 Clifton Street, London EC4A 4LD - - CEN, Crown Copyright 2006-2021 + + + + main schema + e-service developers + Europe + Drafted for version 1.0 CEN TC278 WG3 SG6 Editor Nicholas Knowles, Kizoom. mailto:schemer@ifopt.org.uk + + 2006-08-12 + + + 2006-09-22 + + +

Fixed Objects in Public Transport. This subschema defines. Time base types.

+
+ + text/xml + http://www.w3.org/2001/XMLSchema + XML schema, W3C Recommendation 2001 + + {http://www.siri.org.uk/schema/2.0/ifopt}ifopt_types.xsd + [ISO 639-2/B] ENG + Kizoom, 109-123 Clifton Street, London EC4A 4LD + + + CEN, Crown Copyright 2006-2021 - -
    -
  • Derived from the SIRI standards.
  • -
- - Version 2.1 - - Arts, recreation and travel, Tourism, Travel (tourism), Transport, + +
    +
  • Derived from the SIRI standards.
  • +
+ + Version 2.1 + + Arts, recreation and travel, Tourism, Travel (tourism), Transport, Air transport, Airports, Ports and maritime transport, Ferries (marine), Public transport, Bus services, Coach services, Bus stops and stations, @@ -42,90 +43,90 @@ Rail transport, Railway stations and track, Train services, Underground trains, Business and industry, Transport, Air transport, Ports and maritime transport, Public transport, Rail transport, Roads and road transport - CEN TC278 WG3 SG6 - - IFOPT Fixed Objects in Public Transport - Time Base Types. - Standard -
-
- Basic Time types for IFOPT Fixed Objects in Public Transport. -
- - - - - - Type for a range of times. Start time must be specified, end time is optional. - - - - - The (inclusive) start time. - - - - - The (inclusive) end time. If omitted, the range end is open-ended, that is, it should be interpreted as specifed by the EndTimeStatus - - - - - - - - Type for a validity condition. - - - - - The (inclusive) start date and time. - - - - - The (inclusive) end time. If omitted, the range end is open-ended, that is, it should be interpreted as "forever". - - - - - Day type for which timeband applies. If absent all day types in context. - - - - - Any timebands which further qualify the validity condition. - - - - - - Timeband during which element is available or in effect. - - - - - - - - - - Type for a timeband. - - - - - - - - A collection of one or more validity conditions. - - - - - Reference to the identifier of an administrative area. - - - - - + CEN TC278 WG3 SG6 + + IFOPT Fixed Objects in Public Transport - Time Base Types. + Standard +
+
+ Basic Time types for IFOPT Fixed Objects in Public Transport. +
+ + + + + + Type for a range of times. Start time must be specified, end time is optional. + + + + + The (inclusive) start time. + + + + + The (inclusive) end time. If omitted, the range end is open-ended, that is, it should be interpreted as specifed by the EndTimeStatus + + + + + + + + Type for a validity condition. + + + + + The (inclusive) start date and time. + + + + + The (inclusive) end time. If omitted, the range end is open-ended, that is, it should be interpreted as "forever". + + + + + Day type for which timeband applies. If absent all day types in context. + + + + + Any timebands which further qualify the validity condition. + + + + + + Timeband during which element is available or in effect. + + + + + + + + + + Type for a timeband. + + + + + + + + A collection of one or more validity conditions. + + + + + Reference to the identifier of an administrative area. + + + + +
diff --git a/xsd/ifopt/ifopt_types.xsd b/xsd/ifopt/ifopt_types.xsd index 3f69fb07..c4015cb5 100644 --- a/xsd/ifopt/ifopt_types.xsd +++ b/xsd/ifopt/ifopt_types.xsd @@ -1,43 +1,44 @@ - - - - main schema - e-service developers - Europe - Drafted for version 1.0 CEN TC278 WG3 SG6 Editor Nicholas Knowles, Kizoom. mailto:schemer@ifopt.org.uk - - 2006-08-12 - - - 2006-09-22 - - - 2007-03-29 - - -

Fixed Objects in Public Transport. This subschema defines common base types.

-
- - text/xml - http://www.w3.org/2001/XMLSchema - XML schema, W3C Recommendation 2001 - - {http://www.siri.org.uk/schema/2.0/ifopt}ifopt_types.xsd - [ISO 639-2/B] ENG - Kizoom, 109-123 Clifton Street, London EC4A 4LD - - CEN, Crown Copyright 2006-2021 - - -
    -
  • Derived from the SIRI standards.
  • -
- - Version 2.1 - - Arts, recreation and travel, Tourism, Travel (tourism), Transport, + + + + main schema + e-service developers + Europe + Drafted for version 1.0 CEN TC278 WG3 SG6 Editor Nicholas Knowles, Kizoom. mailto:schemer@ifopt.org.uk + + 2006-08-12 + + + 2006-09-22 + + + 2007-03-29 + + +

Fixed Objects in Public Transport. This subschema defines common base types.

+
+ + text/xml + http://www.w3.org/2001/XMLSchema + XML schema, W3C Recommendation 2001 + + {http://www.siri.org.uk/schema/2.0/ifopt}ifopt_types.xsd + [ISO 639-2/B] ENG + Kizoom, 109-123 Clifton Street, London EC4A 4LD + + + CEN, Crown Copyright 2006-2021 + + +
    +
  • Derived from the SIRI standards.
  • +
+ + Version 2.1 + + Arts, recreation and travel, Tourism, Travel (tourism), Transport, Air transport, Airports, Ports and maritime transport, Ferries (marine), Public transport, Bus services, Coach services, Bus stops and stations, @@ -45,52 +46,52 @@ Rail transport, Railway stations and track, Train services, Underground trains, Business and industry, Transport, Air transport, Ports and maritime transport, Public transport, Rail transport, Roads and road transport - CEN TC278 WG3 SG6 - - IFOPT Fixed Objects in Public Transport - Base Types. - Standard -
-
- Basic types for IFOPT Fixed Objects in Public Transport. -
- - - - Arbitrary extensions. - - - - - - - - - - - Info Link . - - - - - Type for Info Link. - - - - - - - - Type for collection of info links. - - - - - - - - - Distance in metres. - - - + CEN TC278 WG3 SG6 +
+ IFOPT Fixed Objects in Public Transport - Base Types. + Standard +
+
+ Basic types for IFOPT Fixed Objects in Public Transport. +
+ + + + Arbitrary extensions. + + + + + + + + + + + Info Link . + + + + + Type for Info Link. + + + + + + + + Type for collection of info links. + + + + + + + + + Distance in metres. + + +
diff --git a/xsd/siri.xsd b/xsd/siri.xsd index 27b085e0..68b0b234 100644 --- a/xsd/siri.xsd +++ b/xsd/siri.xsd @@ -1,144 +1,153 @@ - - - - main schema - e-service developers - - Dipl.-Kfm. Winfried Bruns, Verband Deutscher, Köln, de v1.0 - Mark Cartwright, Centaur Consulting Limited, Guildford, uk v1.0 - Christophe Duquesne, PDG Consultant en systémes, Dryade Guyancourt, fr v1.0 - Stefan Fjällemark, HUR - Hovedstadens, Valby, dk v1.0 - Jonas Jäderberg, Columna, Borlänge, fi v1.0 - Dipl.-Ing. Sven Juergens psitrans juergens@psitrans.de v1.0 - Nicholas Knowles, KIZOOM Limited, London EC4A 1LT, uk v1.0 - Werner Kohl, Mentz Datenverarbeitung GmbH, München,de v1.0 - Peter Miller, ACIS Research and Development, Cambridge CB4 0DL, uk v1.0 - Dr. Martin Siczkowski, West Yorkshire PTE, Leeds, uk v1.0 - Gustav Thiessen BLIC thi@BLIC.DE, de v1.0 - Dr Bartak, bartak@apex-jesenice.cz v1.0 - Dr. Franz-Josef Czuka, Beratungsgesellschaft für, Düsseldorf, de v1.0 - Dr.-Ing. Klaus-Peter Heynert, PSI Transportation GmbH, Berlin, de v1.0 - Jean-Laurant Franchineau, CONNEX-EUROLUM, PARIS, fr v1.0 - Dipl.-Ing. (FH) Rainer Ganninger, init innovation in, Karlsruhe, de v1.0 - Dipl.-Ing. HTL Peter Machalek, Siemens Transit, Neuhausen am Rheinfall, ch v1.0 - El Ing. Ernst Pfister, Siemens Transit, Neuhausen am Rheinfall, ch v1.0 - Dipl.-Ing. Berthold Radermacher, Verband Deutscher, Köln, de v1.0 - Dr. Friedemann Weik, Hamburger Berater Team GmbH, Hamburg, de v1.0 - - Robin Vettier, ixxi.com, fr v1.3 - Ofer Porat, fr v1.3 - Burt Alexander', sigtec.com - Michelle Etienne, Dryade, Paris fr, v1.3 - Brian Ferris onebusaway.org, us, v1.3 - Manuem Mahne Siemens.com - - Ulf Bjersing, Hogia - Stenungsgrund, se v2.0 - Dipl.-Math Christoph Blendinger, DB, Frankfort, de v2.0 - Dipl.-Kfm. Winfried Bruns, Verband Deutscher, Köln, de v2.0 - Christophe Duquesne, PDG Consultant en systémes, Auriga, fr v2.0 - Gerald Dury, Trapeze Neuhausen am Rhein, ch, fr v2.0 - Michelle Etienne, Dryade, Paris fr v2.0 - Michael Frumin, MTA, us, v2.0 - Nicholas Knowles, Trapeze Limited, London, uk v2.0 - Werner Kohl, Mentz Datenverarbeitung GmbH, München, de v2.0 - Davide Lallouche, RATP, Paris, fr v2.0 - Jeff Maki, us, v2.0 - Daniel Rubli, Trapeze Neuhausen am Rhein, ch, fr v2.0 - Gustav Thiessen BLIC thi@BLIC.DE, de 2.0 v1.0 - Europe - >Drafted for version 1.0 & Version 2.0 CEN TC278 WG3 SG7 Editor Nicholas Knowles, Kizoom. + + + + main schema + e-service developers + + Dipl.-Kfm. Winfried Bruns, Verband Deutscher, Köln, de v1.0 + Mark Cartwright, Centaur Consulting Limited, Guildford, uk v1.0 + Christophe Duquesne, PDG Consultant en systémes, Dryade Guyancourt, fr v1.0 + Stefan Fjällemark, HUR - Hovedstadens, Valby, dk v1.0 + Jonas Jäderberg, Columna, Borlänge, fi v1.0 + Dipl.-Ing. Sven Juergens psitrans juergens@psitrans.de v1.0 + Nicholas Knowles, KIZOOM Limited, London EC4A 1LT, uk v1.0 + Werner Kohl, Mentz Datenverarbeitung GmbH, München,de v1.0 + Peter Miller, ACIS Research and Development, Cambridge CB4 0DL, uk v1.0 + Dr. Martin Siczkowski, West Yorkshire PTE, Leeds, uk v1.0 + Gustav Thiessen BLIC thi@BLIC.DE, de v1.0 + Dr Bartak, bartak@apex-jesenice.cz v1.0 + Dr. Franz-Josef Czuka, Beratungsgesellschaft für, Düsseldorf, de v1.0 + Dr.-Ing. Klaus-Peter Heynert, PSI Transportation GmbH, Berlin, de v1.0 + Jean-Laurant Franchineau, CONNEX-EUROLUM, PARIS, fr v1.0 + Dipl.-Ing. (FH) Rainer Ganninger, init innovation in, Karlsruhe, de v1.0 + Dipl.-Ing. HTL Peter Machalek, Siemens Transit, Neuhausen am Rheinfall, ch v1.0 + El Ing. Ernst Pfister, Siemens Transit, Neuhausen am Rheinfall, ch v1.0 + Dipl.-Ing. Berthold Radermacher, Verband Deutscher, Köln, de v1.0 + Dr. Friedemann Weik, Hamburger Berater Team GmbH, Hamburg, de v1.0 + + Robin Vettier, ixxi.com, fr v1.3 + Ofer Porat, fr v1.3 + Burt Alexander', sigtec.com + Michelle Etienne, Dryade, Paris fr, v1.3 + Brian Ferris onebusaway.org, us, v1.3 + Manuem Mahne Siemens.com + + Ulf Bjersing, Hogia - Stenungsgrund, se v2.0 + Dipl.-Math Christoph Blendinger, DB, Frankfort, de v2.0 + Dipl.-Kfm. Winfried Bruns, Verband Deutscher, Köln, de v2.0 + Christophe Duquesne, PDG Consultant en systémes, Auriga, fr v2.0 + Gerald Dury, Trapeze Neuhausen am Rhein, ch, fr v2.0 + Michelle Etienne, Dryade, Paris fr v2.0 + Michael Frumin, MTA, us, v2.0 + Nicholas Knowles, Trapeze Limited, London, uk v2.0 + Werner Kohl, Mentz Datenverarbeitung GmbH, München, de v2.0 + Davide Lallouche, RATP, Paris, fr v2.0 + Jeff Maki, us, v2.0 + Daniel Rubli, Trapeze Neuhausen am Rhein, ch, fr v2.0 + Gustav Thiessen BLIC thi@BLIC.DE, de 2.0 v1.0 + Europe + >Drafted for version 1.0 & Version 2.0 CEN TC278 WG3 SG7 Editor Nicholas Knowles, Kizoom. mailto:schemer@siri.org.uk - - 2004-09-29 - - - 2004-10-01 - - - 2005-02-14 - - - 2005-02-20 - - - 2005-05-11 - - - 2007-02-02 - - 2007-04-17 - + + 2004-09-29 - 2008-11-17 - + + + 2008-11-17 + - 2009-03-03 - + + 2009-03-03 + - 2011-04-18 - + + 2011-04-18 + - 2012-03-23 - - 2012-05-18 - - 2012-08-01 - - 2014-03-31 - - -

SIRI is a European CEN technical standard for the exchange of real-time information.

-

SIRI is defined by XMLschemas and comprises a general protocol for communication, and a modular set of functional services as follows : + +

SIRI is a European CEN technical standard for the exchange of real-time information.

+

SIRI is defined by XMLschemas and comprises a general protocol for communication, and a modular set of functional services as follows :

  • SIRI-PT Production Timetable: Exchanges planned timetables.
  • SIRI-ET Estimated Timetable: Exchanges real-time updates to timetables.
  • SIRI-ST Stop Timetable: Provides timetable information about stop departures and arrivals.
  • SIRI-SM Stop Monitoring: Provides real-time information about stop departures and arrivals.
  • SIRI-VM Vehicle Monitoring: Provides real-time information about VEHICLE movements.
  • SIRI-CT Connection Timetable: Provides timetabled information about feeder and distributor arrivals and departures at a connection point.
  • SIRI-VM Connection Monitoring: Provides real-time information about feeder and distributor arrivals and departures at a a connection point. Can be used to support "Connection protection".
  • SIRI-GM General Message: Exchanges general information messages between participants
  • SIRI-FM Facility Monitoring: Provides real-time information about facilities.
  • SIRI-SX Situation Exchange: Provides real-time information about Incidents.

-

SIRI supports both direct request/response and publish subscribe patterns of interaction.

-

SIRI includes common mechanisms and messages for system status management.

-

SIRI documents can be exchanged using http post, and/or SOAP.

-
- - text/xml - http://www.w3.org/2001/XMLSchema - XML schema, W3C Recommendation 2001 - - {http://www.siri.org.uk/schema/2.0/xsd/}siri.xsd - [ISO 639-2/B] ENG - Kizoom Software Ltd 16 High Holborn, London WC1V 6BX - - http://www.siri.org.uk/schema/2.0/xsd/siri__common_services.xsd - http://www.siri.org.uk/schema/2.0/xsd/siri__estimatedTimetable_service.xsd - http://www.siri.org.uk/schema/2.0/xsd/siri__productionTimetable_service.xsd - http://www.siri.org.uk/schema/2.0/xsd/siri__stopMonitoring_service.xsd - http://www.siri.org.uk/schema/2.0/xsd/siri__vehicleMonitoring_service.xsd - http://www.siri.org.uk/schema/2.0/xsd/siri__connectionTimetable_service.xsd - http://www.siri.org.uk/schema/2.0/xsd/siri__connectionMonitoring_service.xsd - http://www.siri.org.uk/schema/2.0/xsd/siri__generalMessage_service.xsd - http://www.siri.org.uk/schema/2.0/xsd/siri__discovery.xsd - http://www.siri.org.uk/schema/2.0/xsd/siri__situationExchange_service.xsd - - - CEN, VDV, RTIG 2004-2021 +

SIRI supports both direct request/response and publish subscribe patterns of interaction.

+

SIRI includes common mechanisms and messages for system status management.

+

SIRI documents can be exchanged using http post, and/or SOAP.

+ + + text/xml + http://www.w3.org/2001/XMLSchema + XML schema, W3C Recommendation 2001 + + {http://www.siri.org.uk/schema/2.0/xsd/}siri.xsd + [ISO 639-2/B] ENG + Kizoom Software Ltd 16 High Holborn, London WC1V 6BX + + http://www.siri.org.uk/schema/2.0/xsd/siri__common_services.xsd + http://www.siri.org.uk/schema/2.0/xsd/siri__estimatedTimetable_service.xsd + http://www.siri.org.uk/schema/2.0/xsd/siri__productionTimetable_service.xsd + http://www.siri.org.uk/schema/2.0/xsd/siri__stopMonitoring_service.xsd + http://www.siri.org.uk/schema/2.0/xsd/siri__vehicleMonitoring_service.xsd + http://www.siri.org.uk/schema/2.0/xsd/siri__connectionTimetable_service.xsd + http://www.siri.org.uk/schema/2.0/xsd/siri__connectionMonitoring_service.xsd + http://www.siri.org.uk/schema/2.0/xsd/siri__generalMessage_service.xsd + http://www.siri.org.uk/schema/2.0/xsd/siri__discovery.xsd + http://www.siri.org.uk/schema/2.0/xsd/siri__situationExchange_service.xsd + + + + CEN, VDV, RTIG 2004-2021 - -
    -
  • Derived from the VDV, RTIG XML and Trident standards.
  • -
- - Version 2.0 Version with cumulative fixes - - Arts, recreation and travel, Tourism, Travel (tourism), Transport, + +
    +
  • Derived from the VDV, RTIG XML and Trident standards.
  • +
+ + Version 2.0 Version with cumulative fixes + + Arts, recreation and travel, Tourism, Travel (tourism), Transport, Air transport, Airports, Ports and maritime transport, Ferries (marine), Public transport, Bus services, Coach services, Bus stops and stations, @@ -146,386 +155,386 @@ Rail transport, Railway stations and track, Train services, Underground trains, Business and industry, Transport, Air transport, Ports and maritime transport, Public transport, Rail transport, Roads and road transport. - CEN TC278 WG3 SG7 - - SIRI XML schema. Service Interface for Real-time Information relating to Public Transport Operations. - Standard -
-
- SIRI Service Interface for Real-time Information relating to Public Transport Operations. - XML Schema with explicit functional services -
- - - - - - - SIRI Service Interface for Real-time Operation. - - - - - - - - - - - - - - SIRI All Requests. - - - - - - - - - - - - Request from Consumer to Producer for immediate delivery of data. Answered with a ServiceDelivery (or a DataReadyRequest) - - - - - - - - - - Requests for service provision. - - - - - - - - - - SIRI Service Request. - - - - - - - - - - SIRI Functional Service Concrete Requests. - - - - - - - - - - - - - - - - - - - Request from Subscriber to Producer for a subscription. Answered with a SubscriptionResponse. + CEN TC278 WG3 SG7 + + SIRI XML schema. Service Interface for Real-time Information relating to Public Transport Operations. + Standard +
+
+ SIRI Service Interface for Real-time Information relating to Public Transport Operations. - XML Schema with explicit functional services +
+ + + + + + + SIRI Service Interface for Real-time Operation. + + + + + + + + + + + + + + SIRI All Requests. + + + + + + + + + + + + Request from Consumer to Producer for immediate delivery of data. Answered with a ServiceDelivery (or a DataReadyRequest) + + + + + + + + + + Requests for service provision. + + + + + + + + + + SIRI Service Request. + + + + + + + + + + SIRI Functional Service Concrete Requests. + + + + + + + + + + + + + + + + + + + Request from Subscriber to Producer for a subscription. Answered with a SubscriptionResponse. - - - - - - - - - - Type for SIRI Subscription Request. - - - - - - - - - - - - Type for SIRI Functional Service Subscription types. Used for WSDL exchanges. - - - - - - - - SIRI Functional Service Subscription types. For a given SubscriptionRequest, must all be of the same service type. - - - - - - - - - - - - - - - - - - SIRI Service Responses. - - - - - - - - - - - Responses to requests other than deliveries and status information. - - - - - - - - - - - Responses that deliver payload content. - - - - - - - - - - - Response from Producer to Consumer to deliver payload data. Either answers a direct ServiceRequest, or asynchronously satisfies a subscription. May be sent directly in one step, or fetched in response to a DataSupply Request. - - - - - - - - - - Type for SIRI Service Delivery. - - - - - - - - - Default gml coordinate format for eny location elements in response; applies if Coordinates element is used to specify points. May be overridden on individual points. - - - - - - - - Type for SIRI Service Delivery Body.. - - - - - - - Default gml coordinate format for eny location elements in response; applies if Coordinates element is used to specify points. May be overridden on individual points. - - - - - - Elements for SIRI Service Delivery. - - - - - - Whether there is a further delivery message with more current updates that follows this one. Default is 'false'. - - - - - - - - Type for a SIRI SIRI Functional Service Delivery types.Used for WSDL. - - - - - - - - SIRI Functional Service Delivery types. - - - - - - - - - - - Delivery for Stop Event service. - - - - - Delivery for Vehicle Activity Service. - - - - - - Delivery for Connection Protection Fetcher Service. - - - - - Delivery for Connection Protection Fetcher Service. - - - - - Delivery for general Message service. - - - - - - - - - - - - Requests for reference data for use in SIRI Functional Service requests. - - - - - - - - - Responses with reference data for use in SIRI Functional Service requests. - - - - - Responses with the capabilities of an implementation. Answers a CapabilityRequest. - - - - - - - - - - Requests a the current capabilities of the server. Answred with a CpabailitiesResponse. - - - - - Type for Requests for capabilities of the current system. - - - - - - - Address to which response is to be sent. This may also be determined from RequestorRef and preconfigured data. - - - - - - If request has been proxied by an intermediate aggregating system, tracking information relating to the original requestor. This allows the aggregation to be stateless - - - - - - - - - - - Defines the capabilities of an individual SIRI service request functions. - - - - - - - - - - - - - - - - - - Responses with the capabilities of an implementation. - - - - - Type for the capabilities of an implementation. - - - - - - - - - - - - - Defines the capabilities of an individual SIRI service response functions. - - - - - - - - - - - - - - - + + + + + + + + + + Type for SIRI Subscription Request. + + + + + + + + + + + + Type for SIRI Functional Service Subscription types. Used for WSDL exchanges. + + + + + + + + SIRI Functional Service Subscription types. For a given SubscriptionRequest, must all be of the same service type. + + + + + + + + + + + + + + + + + + SIRI Service Responses. + + + + + + + + + + + Responses to requests other than deliveries and status information. + + + + + + + + + + + Responses that deliver payload content. + + + + + + + + + + + Response from Producer to Consumer to deliver payload data. Either answers a direct ServiceRequest, or asynchronously satisfies a subscription. May be sent directly in one step, or fetched in response to a DataSupply Request. + + + + + + + + + + Type for SIRI Service Delivery. + + + + + + + + + Default gml coordinate format for eny location elements in response; applies if Coordinates element is used to specify points. May be overridden on individual points. + + + + + + + + Type for SIRI Service Delivery Body.. + + + + + + + Default gml coordinate format for eny location elements in response; applies if Coordinates element is used to specify points. May be overridden on individual points. + + + + + + Elements for SIRI Service Delivery. + + + + + + Whether there is a further delivery message with more current updates that follows this one. Default is 'false'. + + + + + + + + Type for a SIRI SIRI Functional Service Delivery types.Used for WSDL. + + + + + + + + SIRI Functional Service Delivery types. + + + + + + + + + + + Delivery for Stop Event service. + + + + + Delivery for Vehicle Activity Service. + + + + + + Delivery for Connection Protection Fetcher Service. + + + + + Delivery for Connection Protection Fetcher Service. + + + + + Delivery for general Message service. + + + + + + + + + + + + Requests for reference data for use in SIRI Functional Service requests. + + + + + + + + + Responses with reference data for use in SIRI Functional Service requests. + + + + + Responses with the capabilities of an implementation. Answers a CapabilityRequest. + + + + + + + + + + Requests a the current capabilities of the server. Answred with a CpabailitiesResponse. + + + + + Type for Requests for capabilities of the current system. + + + + + + + Address to which response is to be sent. This may also be determined from RequestorRef and preconfigured data. + + + + + + If request has been proxied by an intermediate aggregating system, tracking information relating to the original requestor. This allows the aggregation to be stateless + + + + + + + + + + + Defines the capabilities of an individual SIRI service request functions. + + + + + + + + + + + + + + + + + + Responses with the capabilities of an implementation. + + + + + Type for the capabilities of an implementation. + + + + + + + + + + + + + Defines the capabilities of an individual SIRI service response functions. + + + + + + + + + + + + + + +
diff --git a/xsd/siri/siri_all_framework.xsd b/xsd/siri/siri_all_framework.xsd index 33935de1..8417fdda 100644 --- a/xsd/siri/siri_all_framework.xsd +++ b/xsd/siri/siri_all_framework.xsd @@ -4,9 +4,9 @@ --> - - - - - + + + + + diff --git a/xsd/siri/siri_base.xsd b/xsd/siri/siri_base.xsd index 823f95fb..8e993615 100644 --- a/xsd/siri/siri_base.xsd +++ b/xsd/siri/siri_base.xsd @@ -1,75 +1,76 @@ - - - - main schema - e-service developers - Dipl.-Kfm. Winfried Bruns, Verband Deutscher, Köln - Mark Cartwright, Centaur Consulting Limited, Guildford - Christophe Duquesne, PDG Consultant en systémes, Dryade Guyancourt - Stefan Fjällemark, HUR - Hovedstadens, Valby - Jonas Jäderberg, Columna, Borlänge - Dipl.-Ing. Sven Juergens psitrans juergens@psitrans.de - Nicholas Knowles, KIZOOM Limited, London EC4A 1LT - Werner Kohl, Mentz Datenverarbeitung GmbH, München - Peter Miller, ACIS Research and Development, Cambridge CB4 0DL - Dr. Martin Siczkowski, West Yorkshire PTE, Leeds - Gustav Thiessen BLIC thi@BLIC.DE - Dr Bartak, bartak@apex-jesenice.cz - Dr. Franz-Josef Czuka, Beratungsgesellschaft für, Düsseldorf - Dr.-Ing. Klaus-Peter Heynert, PSI Transportation GmbH, Berlin - Jean-Laurant Franchineau, CONNEX-EUROLUM, PARIS - Dipl.-Ing. (FH) Rainer Ganninger, init innovation in, Karlsruhe - Dipl.-Ing. HTL Peter Machalek, Siemens Transit, Neuhausen am Rheinfall - El Ing. Ernst Pfister, Siemens Transit, Neuhausen am Rheinfall - Dipl.-Ing. Berthold Radermacher, Verband Deutscher, Köln - Dr. Friedemann Weik, Hamburger Berater Team GmbH, Hamburg - Europe - >Drafted for version 1.0 CEN TC278 WG3 SG7 Editor Nicholas Knowles, Kizoom. mailto:schemer@siri.org.uk - - 2012-06-17 - - - - 2009-11-17 - - - - 2008-11-17 - - - -

SIRI is a European CEN technical standard for the exchange of real-time information.

-

SIRI is defined by XMLschemas and comprises a general protocol for communication, and a modular set of functional services as follows : + + + + main schema + e-service developers + Dipl.-Kfm. Winfried Bruns, Verband Deutscher, Köln + Mark Cartwright, Centaur Consulting Limited, Guildford + Christophe Duquesne, PDG Consultant en systémes, Dryade Guyancourt + Stefan Fjällemark, HUR - Hovedstadens, Valby + Jonas Jäderberg, Columna, Borlänge + Dipl.-Ing. Sven Juergens psitrans juergens@psitrans.de + Nicholas Knowles, KIZOOM Limited, London EC4A 1LT + Werner Kohl, Mentz Datenverarbeitung GmbH, München + Peter Miller, ACIS Research and Development, Cambridge CB4 0DL + Dr. Martin Siczkowski, West Yorkshire PTE, Leeds + Gustav Thiessen BLIC thi@BLIC.DE + Dr Bartak, bartak@apex-jesenice.cz + Dr. Franz-Josef Czuka, Beratungsgesellschaft für, Düsseldorf + Dr.-Ing. Klaus-Peter Heynert, PSI Transportation GmbH, Berlin + Jean-Laurant Franchineau, CONNEX-EUROLUM, PARIS + Dipl.-Ing. (FH) Rainer Ganninger, init innovation in, Karlsruhe + Dipl.-Ing. HTL Peter Machalek, Siemens Transit, Neuhausen am Rheinfall + El Ing. Ernst Pfister, Siemens Transit, Neuhausen am Rheinfall + Dipl.-Ing. Berthold Radermacher, Verband Deutscher, Köln + Dr. Friedemann Weik, Hamburger Berater Team GmbH, Hamburg + Europe + >Drafted for version 1.0 CEN TC278 WG3 SG7 Editor Nicholas Knowles, Kizoom. mailto:schemer@siri.org.uk + + 2012-06-17 + + + + 2009-11-17 + + + + 2008-11-17 + + + +

SIRI is a European CEN technical standard for the exchange of real-time information.

+

SIRI is defined by XMLschemas and comprises a general protocol for communication, and a modular set of functional services as follows :

This schema provdies a generic base schema that can be used to

-

SIRI supports both direct request/response and publish subscribe patterns of interaction.

-

SIRI includes common mechanisms and messages for system status management.

-

SIRI documents can be exchanged using http post, and/or SOAP.

-
- - text/xml - http://www.w3.org/2001/XMLSchema - XML schema, W3C Recommendation 2001 - - {http://www.siri.org.uk/schema/2.0/xsd/}siri.xsd - [ISO 639-2/B] ENG - Kizoom, 109-123 Clifton Street, London EC4A 4LD - - http://www.siri.org.uk/schema/2.0/xsd/siri__common_services.xsd - - - CEN, VDV, RTIG 2004-2021 +

SIRI supports both direct request/response and publish subscribe patterns of interaction.

+

SIRI includes common mechanisms and messages for system status management.

+

SIRI documents can be exchanged using http post, and/or SOAP.

+ + + text/xml + http://www.w3.org/2001/XMLSchema + XML schema, W3C Recommendation 2001 + + {http://www.siri.org.uk/schema/2.0/xsd/}siri.xsd + [ISO 639-2/B] ENG + Kizoom, 109-123 Clifton Street, London EC4A 4LD + + http://www.siri.org.uk/schema/2.0/xsd/siri__common_services.xsd + + + + CEN, VDV, RTIG 2004-2021 - -
    -
  • Derived from the VDV, RTIG XML and Trident standards.
  • -
- - Version 2.1 - - Arts, recreation and travel, Tourism, Travel (tourism), Transport, + +
    +
  • Derived from the VDV, RTIG XML and Trident standards.
  • +
+ + Version 2.1 + + Arts, recreation and travel, Tourism, Travel (tourism), Transport, Air transport, Airports, Ports and maritime transport, Ferries (marine), Public transport, Bus services, Coach services, Bus stops and stations, @@ -77,239 +78,239 @@ Rail transport, Railway stations and track, Train services, Underground trains, Business and industry, Transport, Air transport, Ports and maritime transport, Public transport, Rail transport, Roads and road transport. - CEN TC278 WG3 SG7 - - SIRI XML schema. Service Interface for Real-time Information relating to Public Transport Operations Generic base schema. - Standard -
-
- SIRI Common Request Fra,mework -
- - - - - - - - - - - - - - - SIRI Requests. - - - - - - - - - - - Requests for service provision. - - - - - - - - - - - Request from Consumer to Producer for immediate delivery of data. Answered with a ServiceDelivery (or a DataReadyRequest) - - - - - - - - - - - - - - SIRI Service Request. - - - - - - - - - Request from Subscriber to Producer for a subscription. Answered with a SubscriptionResponse. + CEN TC278 WG3 SG7 + + SIRI XML schema. Service Interface for Real-time Information relating to Public Transport Operations Generic base schema. + Standard + + + SIRI Common Request Fra,mework + + + + + + + + + + + + + + + + SIRI Requests. + + + + + + + + + + + Requests for service provision. + + + + + + + + + + + Request from Consumer to Producer for immediate delivery of data. Answered with a ServiceDelivery (or a DataReadyRequest) + + + + + + + + + + + + + + SIRI Service Request. + + + + + + + + + Request from Subscriber to Producer for a subscription. Answered with a SubscriptionResponse. - - - - - - - - - - Type for SIRI Subscription Request. - - - - - - - - - - - - - SIRI Service Responses. - - - - - - - - - - - Responses to requests other than deliveries and status information. - - - - - - - - - - Responses that deliver payload content. - - - - - - - - - - - Response from Producer to Consumer to deliver payload data. Either answers a direct ServiceRequest, or asynchronously satisfies a subscription. May be sent directly in one step, or fetched in response to a DataSupply Request. - - - - - - - - - - Type for SIRI Service Delivery. - - - - - - - - - Default gml coordinate format for eny location elements in response; applies if Coordinates element is used to specify points. May be overridden on individual points. - - - - - - - - Type for SIRI Service Delivery type. - - - - - - - Default gml coordinate format for eny location elements in response; applies if Coordinates element is used to specify points. May be overridden on individual points. - - - - - - Elements for SIRI Service Delivery type. - - - - - - Whether there is a further delvery message with more current updates that follows this one. Default is 'false'. - - - - - - - - - Requests for reference data for use in service requests. - - - - - - - - - Responses with reference data for use in service requests. - - - - - Responses with the capabilities of an implementation. Answers a CapabilityRequest. - - - - - - - - - Requests a the current capabilities of the server. Answred with a CpabailitiesResponse. - - - - - Type for Requests for capabilities of the current system. - - - - - - - - - - - - - Responses with the capabilities of an implementation. - - - - - Type for the capabilities of an implementation. - - - - - - - - - - + + + + + + + + + + Type for SIRI Subscription Request. + + + + + + + + + + + + + SIRI Service Responses. + + + + + + + + + + + Responses to requests other than deliveries and status information. + + + + + + + + + + Responses that deliver payload content. + + + + + + + + + + + Response from Producer to Consumer to deliver payload data. Either answers a direct ServiceRequest, or asynchronously satisfies a subscription. May be sent directly in one step, or fetched in response to a DataSupply Request. + + + + + + + + + + Type for SIRI Service Delivery. + + + + + + + + + Default gml coordinate format for eny location elements in response; applies if Coordinates element is used to specify points. May be overridden on individual points. + + + + + + + + Type for SIRI Service Delivery type. + + + + + + + Default gml coordinate format for eny location elements in response; applies if Coordinates element is used to specify points. May be overridden on individual points. + + + + + + Elements for SIRI Service Delivery type. + + + + + + Whether there is a further delvery message with more current updates that follows this one. Default is 'false'. + + + + + + + + + Requests for reference data for use in service requests. + + + + + + + + + Responses with reference data for use in service requests. + + + + + Responses with the capabilities of an implementation. Answers a CapabilityRequest. + + + + + + + + + Requests a the current capabilities of the server. Answred with a CpabailitiesResponse. + + + + + Type for Requests for capabilities of the current system. + + + + + + + + + + + + + Responses with the capabilities of an implementation. + + + + + Type for the capabilities of an implementation. + + + + + + + + + +
diff --git a/xsd/siri/siri_common_services.xsd b/xsd/siri/siri_common_services.xsd index 2ec9aa86..80bf0156 100644 --- a/xsd/siri/siri_common_services.xsd +++ b/xsd/siri/siri_common_services.xsd @@ -1,88 +1,89 @@ - - - - main schema - e-service developers - CEN TC278 WG3 SG7 Team - Europe - First drafted for version 1.0 CEN TC278 WG3 SG7 Editor Nicholas Knowles, Kizoom. mailto:schemer@siri.org.uk - - 2004-09-29 - - - 2005-02-14 - - - 2005-02-20 - - - 2005-05-11 - - 2007-04-17 + + + + main schema + e-service developers + CEN TC278 WG3 SG7 Team + Europe + First drafted for version 1.0 CEN TC278 WG3 SG7 Editor Nicholas Knowles, Kizoom. mailto:schemer@siri.org.uk + + 2004-09-29 + + + 2005-02-14 + + + 2005-02-20 + + + 2005-05-11 + + 2007-04-17 - Name Space changes - 2008-10-09 + 2008-10-09 -- Add Subscriber ref to TermninateSubscription Request - 2008-11-17 + 2008-11-17 -- Revise for substitution groups and move down to siri subdirectory - 2012-03-23 + 2012-03-23 (since SIRI 2.0) - Add DataReady to Check Status - Add DistanceUnits and VelocityUnits to ServiceRequestContext - [FR] Add Extensions tag to Terminate SubscriptionRequest - 2014-03-31 + 2014-03-31 (since SIRI 2.0) Comments - Add terminate subscription notification - 2014-06-23 + 2014-06-23 (since SIRI 2.0) Comments - Revise terminate subscription erroc condition to be consistent with other services - -

SIRI is a European CEN standard for the exchange of real-time information.

-

This subschema describes common communication requests that are the same for all services.

-

It contains the following request

-
    -
  • GS: Terminate Subscription Resquest
  • -
  • GS: Terminate Subscription Response
  • -
  • GS: Subscription Response
  • -
  • GS: Data Ready Notification
  • -
  • GS: Data Ready Acknowledgement
  • -
  • GS: Data Supply Request
  • -
  • GS: Data Received Response
  • -
  • GS: Check Status Request
  • -
  • GS: Check Status Response
  • -
  • GS: Heartbeat Request
  • -
-

Siri supports both direct requests and publish subscribe patterns of interaction

-
- - text/xml - http://www.w3.org/2001/XMLSchema - XML schema, W3C Recommendation 2001 - - {http://www.siri.org.uk/schema/2.0/xsd/siri/}siri_common_services.xsd - [ISO 639-2/B] ENG - Kizoom, 109-123 Clifton Street, London EC4A 4LD - - http://www.siri.org.uk/schema/2.0/xsd/siri/siri_requests.xsd - - - CEN, VDV, RTIG 2004-2021 + +

SIRI is a European CEN standard for the exchange of real-time information.

+

This subschema describes common communication requests that are the same for all services.

+

It contains the following request

+
    +
  • GS: Terminate Subscription Resquest
  • +
  • GS: Terminate Subscription Response
  • +
  • GS: Subscription Response
  • +
  • GS: Data Ready Notification
  • +
  • GS: Data Ready Acknowledgement
  • +
  • GS: Data Supply Request
  • +
  • GS: Data Received Response
  • +
  • GS: Check Status Request
  • +
  • GS: Check Status Response
  • +
  • GS: Heartbeat Request
  • +
+

Siri supports both direct requests and publish subscribe patterns of interaction

+
+ + text/xml + http://www.w3.org/2001/XMLSchema + XML schema, W3C Recommendation 2001 + + {http://www.siri.org.uk/schema/2.0/xsd/siri/}siri_common_services.xsd + [ISO 639-2/B] ENG + Kizoom, 109-123 Clifton Street, London EC4A 4LD + + http://www.siri.org.uk/schema/2.0/xsd/siri/siri_requests.xsd + + + + CEN, VDV, RTIG 2004-2021 - -
    -
  • Derived from the VDV, RTIG XML and Trident standards.
  • -
- - Version 2.1 - - Arts, recreation and travel, Tourism, Travel (tourism), Transport, + +
    +
  • Derived from the VDV, RTIG XML and Trident standards.
  • +
+ + Version 2.1 + + Arts, recreation and travel, Tourism, Travel (tourism), Transport, Air transport, Airports, Ports and maritime transport, Ferries (marine), Public transport, Bus services, Coach services, Bus stops and stations, @@ -90,811 +91,811 @@ Rail transport, Railway stations and track, Train services, Underground trains, Business and industry, Transport, Air transport, Ports and maritime transport, Public transport, Rail transport, Roads and road transport - CEN TC278 WG3 SG7 - - SIRI XML schema. Service Interface for Real-time Information. Common Requests - Standard -
-
- SIRI Framework - Common Requests. -
- - - - - - - Convenience artefact to pick out main elements of the common requests. - - - - - - - - - - - Requests about system status. - - - - - - - - - - Type for General SIRI Request. - - - - - General request properties - typically configured rather than repeated on request. - - - - - - - - - - - Address elements for SIRI messages to the Producer server. - - - - - Address to which CheckStatus requests are to be sent. - - - - - Address to which subscription requests are to be sent. - - - - - Address to which subscription requests are to be sent. If absent, same as SubscribeAddress. - - - - - Address to which requests are to return data. - - - - - - - Address elements for SIRI messages to the Subscriber/Consumer client. - - - - - Address to which CheckStatus responses and heartbeats are to be sent. If absent, same as SubscriberAddress. - - - - - Address to which subscription responses are to be sent. - - - - - Address to which notifcations requests are to be sent. If absent, same as SubscriberAddress. - - - - - Address to which data is to be sent. If absent, same as NotifyAddress. - - - - - - - Configurable context for requests. Intended Primarily as a documentation mechanism. - - - - - - - - - - - - - - Delivery options. - - - - - Whether Delivery is fetched or retrieved. - - - - - Whether multi-part delivery is allowed, i.e. the breaking up of updates into more than one delivery messages with a MoreData flag, - - - - - Whether Consumers should issue an acknowledgement on successful receipt of a delivery. Default is ' false'. - - - - - - - Delivery Method: Fetched or Direct Delivery. - - - - - - - - - Prediction options. - - - - - Who may make a prediction. - - - - - Name of prediction method used. - - - - - - - Allowed values for predictors. - - - - - - - - - Timing related elements in Request Context: - - - - - Maximum data horizon for requests. - - - - - Timeout for requests. [Should this be separate for each type?] - - - - - - - Name spaces. - - - - - Name space for STOP POINTs. - - - - - Name space for LINE names and DIRECTIONss. - - - - - Name space for Product Categories. - - - - - Name space for service features. - - - - - Name space for VEHICLE features. - - - - - - - Namespace related elements in Request Context. - - - - - Default names pace used to scope data identifiers. - - - - - Preferred languages in which to return text values. - - - - - Default geospatial Coordinates used by service. - - - - Geospatial coordinates are given as Wgs 84 Latiude and longitude, decimial degrees of arc. - - - - - Name of GML Coordinate format used for Geospatial points in responses. - - - - - - Units for Distance Type. Default is metres. (since SIRI 2.0) - - - - - Units for Distance Type. Default is metres per second. (since SIRI 2.0) - - - - - - - Resources related elements in Request Context. - - - - - Maximum Number of subscriptions that can be sustained by the subscriber. If absent no limit. - - - - - - - - - groups the subscription request. - - - - - - - - - - - Request from Subscriber to Subscription Manager to terminate a subscription. Answered with a TerminateSubscriptionResponse. - - - - - Type for request to terminate a subscription or subscriptions. - - - - - - - - If request has been proxied by an intermediate aggregating system , tracking information relating to the original requestor. This allows the aggregation to be stateless. (since SIRI 2.0) - - - - - - - - - - - Parameters that specify the content to be processed. - - - - - Participant identifier of Subscriber. Subscription ref will be unique within this. - - - - - - Terminate all subscriptions for the requestor. - - - - - Terminate the subscription identfiied by the reference. - - - - - - - - Status Info. - - - - - Status of each subscription termnination response. - - - - - - - - Request from Subscriber to Subscription Manager to terminate a subscription. Answered with a TerminateSubscriptionResponse. - - - - - Type for Response to a request to terminate a subscription or subscriptions. - - - - - - - - - - - - Type for Status of termination response. - - - - - - - - - Description of any error or warning condition. - - - - - - - - - - - - Text description of error. - - - - - - - - - - - Notification from Subscriber to Subscription Manager to terminate a subscription. - - - - - Type for Notification to terminate a subscription or subscriptions. - - - - - - - - Text description providing additional information about the reason for the subscription termination. - - - - - - - - - - - Responses that infrom about the service status. - - - - - - - - Type for Response Status. - - - - - - - - - - Description of any error or warning condition. - - - - - - - - - - Contains infromation about the processing of a an individual service subscription - either success info or an error condition. (VDV Acknowledgement). - - - - - - Response from Producer to Consumer to inform whether subscriptions have been created. Answers a previous SubscriptionRequest. - - - - - Type for Subscription Response. - - - - - - - - - - - - Subscription Response content. - - - - - - Endpoint address of subscription manager if different from that of the Producer or known default. - - - - - Time at which service providing the subscription was last started. Can be used to detect restarts. If absent, unknown. - - - - - - - - - General requests for fetched data delivery. - - - - - - - - - - Request from Producer to Consumer to notify that data update is ready to fetch. Answered with a DataReadyResponse. - - - - - Groups the data supply messages. - - - - - - - - - - Type for Request from Producer to Consumer to notify that data update is ready to fetch. Answered with a DataReadyResponse. - - - - - - - - - Response from Consumer to Producer to acknowledge to Producer that a DataReadyRequest has been received. - - - - - Type for Data ready Acknowledgement Response. - - - - - - - - Description of any error or warning condition as to why Consumer cannot fetch data. - - - - - - - - - - - Text description of error. - - - - - - - - - - - - - - - Request from Consumer to Producer to fetch update previously notified by a Data ready message. Answered with a Service Delivery. - - - - - Type for Data supply Request. - - - - - - - - - - - - Specifies content to be included in data supply. - - - - - Reference to a specific notification message for which data is to be fetched. Can be used to distinguish between notfcatiosn for the same service and subscriber but for different filters.If none specified, - - - - - Whether to return all data, or just new updates since the last delivery. Default false, i.e. just updates. - - - - - - - - Response from Consumer to Producer to acknowledge that data hase been received. Used as optioanl extra step if reliable delivery is needed. Answers a ServiceDelivery. - - - - - Data received Acknowledgement content. - - - - - - Description of any error or warning condition. - - - - - - - - - - - Text description of error. - - - - - - - - - - - Type for Data received Acknowledgement Response. - - - - - - - - - - - - Elements identifying data Consumer, i.e. requestor, if synchronous delivery or subscriber if asynchronous. - - - - - - Reference to an arbitrary unique reference associated with the request which gave rise to this response. - - - - - - - - Request from Consumer to Producer to check whether services is working. Answers a CheckStatusRequest. - - - - - Type for check status request. - - - - - - - - - Version number of request. + CEN TC278 WG3 SG7 + + SIRI XML schema. Service Interface for Real-time Information. Common Requests + Standard +
+
+ SIRI Framework - Common Requests. +
+ + + + + + + Convenience artefact to pick out main elements of the common requests. + + + + + + + + + + + Requests about system status. + + + + + + + + + + Type for General SIRI Request. + + + + + General request properties - typically configured rather than repeated on request. + + + + + + + + + + + Address elements for SIRI messages to the Producer server. + + + + + Address to which CheckStatus requests are to be sent. + + + + + Address to which subscription requests are to be sent. + + + + + Address to which subscription requests are to be sent. If absent, same as SubscribeAddress. + + + + + Address to which requests are to return data. + + + + + + + Address elements for SIRI messages to the Subscriber/Consumer client. + + + + + Address to which CheckStatus responses and heartbeats are to be sent. If absent, same as SubscriberAddress. + + + + + Address to which subscription responses are to be sent. + + + + + Address to which notifcations requests are to be sent. If absent, same as SubscriberAddress. + + + + + Address to which data is to be sent. If absent, same as NotifyAddress. + + + + + + + Configurable context for requests. Intended Primarily as a documentation mechanism. + + + + + + + + + + + + + + Delivery options. + + + + + Whether Delivery is fetched or retrieved. + + + + + Whether multi-part delivery is allowed, i.e. the breaking up of updates into more than one delivery messages with a MoreData flag, + + + + + Whether Consumers should issue an acknowledgement on successful receipt of a delivery. Default is ' false'. + + + + + + + Delivery Method: Fetched or Direct Delivery. + + + + + + + + + Prediction options. + + + + + Who may make a prediction. + + + + + Name of prediction method used. + + + + + + + Allowed values for predictors. + + + + + + + + + Timing related elements in Request Context: + + + + + Maximum data horizon for requests. + + + + + Timeout for requests. [Should this be separate for each type?] + + + + + + + Name spaces. + + + + + Name space for STOP POINTs. + + + + + Name space for LINE names and DIRECTIONss. + + + + + Name space for Product Categories. + + + + + Name space for service features. + + + + + Name space for VEHICLE features. + + + + + + + Namespace related elements in Request Context. + + + + + Default names pace used to scope data identifiers. + + + + + Preferred languages in which to return text values. + + + + + Default geospatial Coordinates used by service. + + + + Geospatial coordinates are given as Wgs 84 Latiude and longitude, decimial degrees of arc. + + + + + Name of GML Coordinate format used for Geospatial points in responses. + + + + + + Units for Distance Type. Default is metres. (since SIRI 2.0) + + + + + Units for Distance Type. Default is metres per second. (since SIRI 2.0) + + + + + + + Resources related elements in Request Context. + + + + + Maximum Number of subscriptions that can be sustained by the subscriber. If absent no limit. + + + + + + + + + groups the subscription request. + + + + + + + + + + + Request from Subscriber to Subscription Manager to terminate a subscription. Answered with a TerminateSubscriptionResponse. + + + + + Type for request to terminate a subscription or subscriptions. + + + + + + + + If request has been proxied by an intermediate aggregating system , tracking information relating to the original requestor. This allows the aggregation to be stateless. (since SIRI 2.0) + + + + + + + + + + + Parameters that specify the content to be processed. + + + + + Participant identifier of Subscriber. Subscription ref will be unique within this. + + + + + + Terminate all subscriptions for the requestor. + + + + + Terminate the subscription identfiied by the reference. + + + + + + + + Status Info. + + + + + Status of each subscription termnination response. + + + + + + + + Request from Subscriber to Subscription Manager to terminate a subscription. Answered with a TerminateSubscriptionResponse. + + + + + Type for Response to a request to terminate a subscription or subscriptions. + + + + + + + + + + + + Type for Status of termination response. + + + + + + + + + Description of any error or warning condition. + + + + + + + + + + + + Text description of error. + + + + + + + + + + + Notification from Subscriber to Subscription Manager to terminate a subscription. + + + + + Type for Notification to terminate a subscription or subscriptions. + + + + + + + + Text description providing additional information about the reason for the subscription termination. + + + + + + + + + + + Responses that infrom about the service status. + + + + + + + + Type for Response Status. + + + + + + + + + + Description of any error or warning condition. + + + + + + + + + + Contains infromation about the processing of a an individual service subscription - either success info or an error condition. (VDV Acknowledgement). + + + + + + Response from Producer to Consumer to inform whether subscriptions have been created. Answers a previous SubscriptionRequest. + + + + + Type for Subscription Response. + + + + + + + + + + + + Subscription Response content. + + + + + + Endpoint address of subscription manager if different from that of the Producer or known default. + + + + + Time at which service providing the subscription was last started. Can be used to detect restarts. If absent, unknown. + + + + + + + + + General requests for fetched data delivery. + + + + + + + + + + Request from Producer to Consumer to notify that data update is ready to fetch. Answered with a DataReadyResponse. + + + + + Groups the data supply messages. + + + + + + + + + + Type for Request from Producer to Consumer to notify that data update is ready to fetch. Answered with a DataReadyResponse. + + + + + + + + + Response from Consumer to Producer to acknowledge to Producer that a DataReadyRequest has been received. + + + + + Type for Data ready Acknowledgement Response. + + + + + + + + Description of any error or warning condition as to why Consumer cannot fetch data. + + + + + + + + + + + Text description of error. + + + + + + + + + + + + + + + Request from Consumer to Producer to fetch update previously notified by a Data ready message. Answered with a Service Delivery. + + + + + Type for Data supply Request. + + + + + + + + + + + + Specifies content to be included in data supply. + + + + + Reference to a specific notification message for which data is to be fetched. Can be used to distinguish between notfcatiosn for the same service and subscriber but for different filters.If none specified, + + + + + Whether to return all data, or just new updates since the last delivery. Default false, i.e. just updates. + + + + + + + + Response from Consumer to Producer to acknowledge that data hase been received. Used as optioanl extra step if reliable delivery is needed. Answers a ServiceDelivery. + + + + + Data received Acknowledgement content. + + + + + + Description of any error or warning condition. + + + + + + + + + + + Text description of error. + + + + + + + + + + + Type for Data received Acknowledgement Response. + + + + + + + + + + + + Elements identifying data Consumer, i.e. requestor, if synchronous delivery or subscriber if asynchronous. + + + + + + Reference to an arbitrary unique reference associated with the request which gave rise to this response. + + + + + + + + Request from Consumer to Producer to check whether services is working. Answers a CheckStatusRequest. + + + + + Type for check status request. + + + + + + + + + Version number of request. - - - - - - - - Data received AcknowledgementService Status Check Request content. - - - - - - Whether data delivery is ready to be fetched SIRI v 2.0 - - - - - Description of any error or warning condition that applies to the status check. - - - - - - - - - - Text description of error. - - - - - - - - - Time at which current instantiation of service started. - - - - - - - - Response from Producer to Consumer to inform whether services is working. Answers a CheckStatusRequest. - - - - - Type for Service Status Check Response. - - - - - - - - - - - - - - - - Notification from Producer to Consumer to indicate that the service is running normally. - - - - - Type for Service Heartbeat Notification. - - - - - - - - - - - - - - - Type for Body of Subscription Response. Used in WSDL. - - - - - - Endpoint address of subscription manager if different from that of the Producer or known default. - - - - - Time at which service providing the subscription was last started. Can be used to detect restarts. If absent, unknown. - - - - - - - Type for Body of Terminate Subscription Request content. Used in WSDL. - - - - - - - - Type for Body of Data Supply Request. Used in WSDL. - - - - - - - - Type for Body of Service Status Check Response. Used in WSDL. - Same as CheckStatusResponseStructure, but without extension to be consistent with the other operation definition. - - - - - + + + + + + + + Data received AcknowledgementService Status Check Request content. + + + + + + Whether data delivery is ready to be fetched SIRI v 2.0 + + + + + Description of any error or warning condition that applies to the status check. + + + + + + + + + + Text description of error. + + + + + + + + + Time at which current instantiation of service started. + + + + + + + + Response from Producer to Consumer to inform whether services is working. Answers a CheckStatusRequest. + + + + + Type for Service Status Check Response. + + + + + + + + + + + + + + + + Notification from Producer to Consumer to indicate that the service is running normally. + + + + + Type for Service Heartbeat Notification. + + + + + + + + + + + + + + + Type for Body of Subscription Response. Used in WSDL. + + + + + + Endpoint address of subscription manager if different from that of the Producer or known default. + + + + + Time at which service providing the subscription was last started. Can be used to detect restarts. If absent, unknown. + + + + + + + Type for Body of Terminate Subscription Request content. Used in WSDL. + + + + + + + + Type for Body of Data Supply Request. Used in WSDL. + + + + + + + + Type for Body of Service Status Check Response. Used in WSDL. + Same as CheckStatusResponseStructure, but without extension to be consistent with the other operation definition. + + + + +
diff --git a/xsd/siri/siri_request_errorConditions.xsd b/xsd/siri/siri_request_errorConditions.xsd index 581abebd..954b9791 100644 --- a/xsd/siri/siri_request_errorConditions.xsd +++ b/xsd/siri/siri_request_errorConditions.xsd @@ -1,27 +1,27 @@ - - - - - - - main schema - e-service developers - CEN TC278 WG3 SG7 Team - Europe - First drafted for version 1.0 CEN TC278 WG3 SG7 Editor Nicholas Knowles, Kizoom. mailto:schemer@siri.org.uk - - 2012-03-24 - - - - 2009-03-31 - - - - 2011-04-18 - + + + + main schema + e-service developers + CEN TC278 WG3 SG7 Team + Europe + First drafted for version 1.0 CEN TC278 WG3 SG7 Editor Nicholas Knowles, Kizoom. mailto:schemer@siri.org.uk + + 2012-03-24 + + + + 2009-03-31 + + + + 2011-04-18 + - - - 2012-03-23 - - - -

SIRI is a European CEN standard for the exchange of real-time information. This subschema defines common request error conditions

-
- - text/xml - http://www.w3.org/2001/XMLSchema - XML schema, W3C Recommendation 2001 - - {http://www.siri.org.uk/schema/2.0/xsd/siri/}siri_requests_errorConditions.xsd - [ISO 639-2/B] ENG - Kizoom, 109-123 Clifton Street, London EC4A 4LD - - http://www.siri.org.uk/schema/2.0/xsd/siri_uility/siri_types.xsd - http://www.siri.org.uk/schema/2.0/xsd/siri_uility/siri_participant.xsd - - - CEN, VDV, RTIG 2004-2021 - - -
    -
  • Derived from the VDV, RTIGXML and Trident standards.
  • -
- - Version 2.1 - - Arts, recreation and travel, Tourism, Travel (tourism), Transport, +
+ +

SIRI is a European CEN standard for the exchange of real-time information. This subschema defines common request error conditions

+
+ + text/xml + http://www.w3.org/2001/XMLSchema + XML schema, W3C Recommendation 2001 + + {http://www.siri.org.uk/schema/2.0/xsd/siri/}siri_requests_errorConditions.xsd + [ISO 639-2/B] ENG + Kizoom, 109-123 Clifton Street, London EC4A 4LD + + http://www.siri.org.uk/schema/2.0/xsd/siri_uility/siri_types.xsd + http://www.siri.org.uk/schema/2.0/xsd/siri_uility/siri_participant.xsd + + + + CEN, VDV, RTIG 2004-2021 + + +
    +
  • Derived from the VDV, RTIGXML and Trident standards.
  • +
+ + Version 2.1 + + Arts, recreation and travel, Tourism, Travel (tourism), Transport, Air transport, Airports, Ports and maritime transport, Ferries (marine), Public transport, Bus services, Coach services, Bus stops and stations, @@ -75,516 +76,516 @@ Rail transport, Railway stations and track, Train services, Underground trains, Business and industry, Transport, Air transport, Ports and maritime transport, Public transport, Rail transport, Roads and road transport - CEN TC278 WG3 SG7 - - SIRI XML schema. Common Request Error Conditions - Standard -
-
- SIRI Framework Error COnditions. -
- - - - Description of error or warning condition associated with response. - - - - - Type for RequestErrorCondition. - - - - - - - - Text description of error. - - - - - - - Additional information provided if request is successful. - - - - - End of data horizon of the data producer. - - - - - Minimum interval at which updates can be sent. - - - - - - - - Element fror an erroc condition (for use in WSDL.) - - - - - Type for Standard ErrorConditions for Service request. - - - - - - - - - Text description of error. - - - - - - - Type for Description of an error. - - - - - - - - - Subsititutable type for a SIRI Error code. - - - - - Type for Error Code. - - - - - Addtional Description of error. This allows a descripotion to be supplied when the Error code is used in a specific WSDL fault, rather than within a general error condition. - - - - - - Error code number associated with error. - - - - - - - Element fror an erroc condition for use in WSDL. - - - - - Type for Standard ErrorConditiosn for Service request. - - - - - - - - Text description of error. - - - - - - - Errors that may arise in the execution of a request. - - - - - - - - - - Errors that may arise in the execution of a delegated distribution request. (since SIRI 2.0) - - - - - - Error: Recipient for a message to be distributed is unknown. I.e. delegatior is found, but (since SIRI 2.0) - - - - - - - - - - - Error:Recipient of a message to be distributed is not available. (since SIRI 2.0) - - - - - Type for Error: UnapprovedKey (since SIRI 2.0) - - - - - - - User key. - - - - - - - - - - Error: Recipient for a message to be distributed is unknown. (since SIRI 2.0) - - - - - Type for Error: Unknown Participant. (since SIRI 2.0) - - - - - - - Reference to Participant who is unknown. + SIRI v2.0 - - - - - - - - - - Error: Recipient for a message to be distributed is unknown. (since SIRI 2.0) - - - - - Type for Error: Unknown Endpoint (since SIRI 2.0) - - - - - - - Endpoint that is noit known. + SIRI v2.0 - - - - - - - - - - Error:Endpoint to which a message is to be distributed did not allow access by the cloient. (since SIRI 2.0) - - - - - Type for Error: EndpointDeniedAccess (since SIRI 2.0) - - - - - - - Endpoint that was denied access + SIRI v2.0 - - - - - - - - - - Error:Recipient of a message to be distributed is not available. (since SIRI 2.0) - - - - - Type for Error: EndpointNotAvailable (since SIRI 2.0) - - - - - - - Endpoint that is noit available. + SIRI v2.0 - - - - - - - - - - - Errors that may arise in the execution of a request. - - - - - - - - - Error: Data period or subscription period is outside of period covered by service. (since SIRI 2.0). - - - - - - - Error: Request contained extensions that were not supported by the producer. A response has been provided but some or all extensions have been ignored. (since SIRI 2.0). - - - - - - - - - - Error: Functional service is not available to use (but it is still capable of giving this response). - - - - - Type for Service Not Available error. - - - - - - - Expected time fro reavailability of servcie. (since SIRI 2.0) - - - - - - - - - - Error: Service does not support the requested capability. - - - - - Type for Error: Service does not support requested capability. - - - - - - - Id of capabiliuty that is noit supported. - - - - - - - - - - Error: Data period or subscription period is outside of period covered by service. - - - - - Type for error. - - - - - - - - - - Error: Requestor is not authorised to the service or data requested. - - - - - Type forError:Access Not Allowed. - - - - - - - - - Error: Valid request was made but service does not hold any data for the requested topic. expression. - - - - - Type for Error: No Info for Topic - - - - - - - - - Error: Request contains references to identifiers that are not known. (since SIRI 2.0). - - - - - Type for InvalidDataReferencesError:. (since SIRI 2.0). - - - - - - - Invalid reference values encoountered. - - - - - - - - - - Error: Request contained parameters that were not supported by the producer. A response has been provided but some parameters have been ignored. (since SIRI 2.0). - - - - - Type for Parameters Ignored Error:. (since SIRI 2.0). - - - - - - - Name of the unsupported parameter. - - - - - - - - - - Error: Request contained extensions that were not supported by the producer. A response has been provided but some or all extensions have been ignored.. (since SIRI 2.0). - - - - - Type for Unknown Extensions Error:. (since SIRI 2.0). - - - - - - - Name of the unknown encountered extensions. - - - - - - - - - - Error: Valid request was made but request would exceed the permitted resource usage of the client. - - - - - Type for error. AllowedResourceUsageExceeded. - - - - - - - - - - - Error: Subscriber not found. - - - - - Type for Error: Subscriber not found. - - - - - - - Id of capabiliuty that is noit supported. + SIRI v2.0 - - - - - - - - - - - Error: Subscription not found. - - - - - Type for Error: Subscription not found. - - - - - - - Ubscription code that could not be found. + SIRI v2.0 - - - - - - - - - - Error: Error type other than the well defined codes. - - - - - Type for error. - - - - - - + CEN TC278 WG3 SG7 + + SIRI XML schema. Common Request Error Conditions + Standard + + + SIRI Framework Error COnditions. + + + + + Description of error or warning condition associated with response. + + + + + Type for RequestErrorCondition. + + + + + + + + Text description of error. + + + + + + + Additional information provided if request is successful. + + + + + End of data horizon of the data producer. + + + + + Minimum interval at which updates can be sent. + + + + + + + + Element fror an erroc condition (for use in WSDL.) + + + + + Type for Standard ErrorConditions for Service request. + + + + + + + + + Text description of error. + + + + + + + Type for Description of an error. + + + + + + + + + Subsititutable type for a SIRI Error code. + + + + + Type for Error Code. + + + + + Addtional Description of error. This allows a descripotion to be supplied when the Error code is used in a specific WSDL fault, rather than within a general error condition. + + + + + + Error code number associated with error. + + + + + + + Element fror an erroc condition for use in WSDL. + + + + + Type for Standard ErrorConditiosn for Service request. + + + + + + + + Text description of error. + + + + + + + Errors that may arise in the execution of a request. + + + + + + + + + + Errors that may arise in the execution of a delegated distribution request. (since SIRI 2.0) + + + + + + Error: Recipient for a message to be distributed is unknown. I.e. delegatior is found, but (since SIRI 2.0) + + + + + + + + + + + Error:Recipient of a message to be distributed is not available. (since SIRI 2.0) + + + + + Type for Error: UnapprovedKey (since SIRI 2.0) + + + + + + + User key. + + + + + + + + + + Error: Recipient for a message to be distributed is unknown. (since SIRI 2.0) + + + + + Type for Error: Unknown Participant. (since SIRI 2.0) + + + + + + + Reference to Participant who is unknown. + SIRI v2.0 + + + + + + + + + + Error: Recipient for a message to be distributed is unknown. (since SIRI 2.0) + + + + + Type for Error: Unknown Endpoint (since SIRI 2.0) + + + + + + + Endpoint that is noit known. + SIRI v2.0 + + + + + + + + + + Error:Endpoint to which a message is to be distributed did not allow access by the cloient. (since SIRI 2.0) + + + + + Type for Error: EndpointDeniedAccess (since SIRI 2.0) + + + + + + + Endpoint that was denied access + SIRI v2.0 + + + + + + + + + + Error:Recipient of a message to be distributed is not available. (since SIRI 2.0) + + + + + Type for Error: EndpointNotAvailable (since SIRI 2.0) + + + + + + + Endpoint that is noit available. + SIRI v2.0 + + + + + + + + + + + Errors that may arise in the execution of a request. + + + + + + + + + Error: Data period or subscription period is outside of period covered by service. (since SIRI 2.0). + + + + + + + Error: Request contained extensions that were not supported by the producer. A response has been provided but some or all extensions have been ignored. (since SIRI 2.0). + + + + + + + + + + Error: Functional service is not available to use (but it is still capable of giving this response). + + + + + Type for Service Not Available error. + + + + + + + Expected time fro reavailability of servcie. (since SIRI 2.0) + + + + + + + + + + Error: Service does not support the requested capability. + + + + + Type for Error: Service does not support requested capability. + + + + + + + Id of capabiliuty that is noit supported. + + + + + + + + + + Error: Data period or subscription period is outside of period covered by service. + + + + + Type for error. + + + + + + + + + + Error: Requestor is not authorised to the service or data requested. + + + + + Type forError:Access Not Allowed. + + + + + + + + + Error: Valid request was made but service does not hold any data for the requested topic. expression. + + + + + Type for Error: No Info for Topic + + + + + + + + + Error: Request contains references to identifiers that are not known. (since SIRI 2.0). + + + + + Type for InvalidDataReferencesError:. (since SIRI 2.0). + + + + + + + Invalid reference values encoountered. + + + + + + + + + + Error: Request contained parameters that were not supported by the producer. A response has been provided but some parameters have been ignored. (since SIRI 2.0). + + + + + Type for Parameters Ignored Error:. (since SIRI 2.0). + + + + + + + Name of the unsupported parameter. + + + + + + + + + + Error: Request contained extensions that were not supported by the producer. A response has been provided but some or all extensions have been ignored.. (since SIRI 2.0). + + + + + Type for Unknown Extensions Error:. (since SIRI 2.0). + + + + + + + Name of the unknown encountered extensions. + + + + + + + + + + Error: Valid request was made but request would exceed the permitted resource usage of the client. + + + + + Type for error. AllowedResourceUsageExceeded. + + + + + + + + + + + Error: Subscriber not found. + + + + + Type for Error: Subscriber not found. + + + + + + + Id of capabiliuty that is noit supported. + SIRI v2.0 + + + + + + + + + + + Error: Subscription not found. + + + + + Type for Error: Subscription not found. + + + + + + + Ubscription code that could not be found. + SIRI v2.0 + + + + + + + + + + Error: Error type other than the well defined codes. + + + + + Type for error. + + + + + +
diff --git a/xsd/siri/siri_request_support.xsd b/xsd/siri/siri_request_support.xsd index 00aabbc7..9bb2e138 100644 --- a/xsd/siri/siri_request_support.xsd +++ b/xsd/siri/siri_request_support.xsd @@ -1,49 +1,50 @@ - - - - - main schema - e-service developers - CEN TC278 WG3 SG7 Team - Europe - First drafted for version 1.0 CEN TC278 WG3 SG7 Editor Nicholas Knowles, Kizoom. mailto:schemer@siri.org.uk - - 2012-03-29 - - - 2012-03-23 - - - -

SIRI is a European CEN standard for the exchange of real-time information. This subschema defines common request processing identfiier types

-
- - text/xml - http://www.w3.org/2001/XMLSchema - XML schema, W3C Recommendation 2001 - - {http://www.siri.org.uk/schema/2.0/xsd/siri/}siri_request_support.xsd - [ISO 639-2/B] ENG - Kizoom, 109-123 Clifton Street, London EC4A 4LD - - http://www.siri.org.uk/schema/2.0/xsd/siri_utility/siri_types.xsd - - - CEN, VDV, RTIG 2004-2021 + + +

SIRI is a European CEN standard for the exchange of real-time information. This subschema defines common request processing identfiier types

+
+ + text/xml + http://www.w3.org/2001/XMLSchema + XML schema, W3C Recommendation 2001 + + {http://www.siri.org.uk/schema/2.0/xsd/siri/}siri_request_support.xsd + [ISO 639-2/B] ENG + Kizoom, 109-123 Clifton Street, London EC4A 4LD + + http://www.siri.org.uk/schema/2.0/xsd/siri_utility/siri_types.xsd + + + + CEN, VDV, RTIG 2004-2021 - -
    -
  • Derived from the SIRI 1.0 standards.
  • -
- - Version 2.1 - - Arts, recreation and travel, Tourism, Travel (tourism), Transport, + +
    +
  • Derived from the SIRI 1.0 standards.
  • +
+ + Version 2.1 + + Arts, recreation and travel, Tourism, Travel (tourism), Transport, Air transport, Airports, Ports and maritime transport, Ferries (marine), Public transport, Bus services, Coach services, Bus stops and stations, @@ -51,160 +52,160 @@ Rail transport, Railway stations and track, Train services, Underground trains, Business and industry, Transport, Air transport, Ports and maritime transport, Public transport, Rail transport, Roads and road transport - CEN TC278 WG3 SG7 - - SIRI XML schema. Common Request identifier types - Standard -
-
- SIRI Common Framework basic identifier types. -
- - - - - Unique identifier of a message within SIRI functional service type and participant. - - - - - - - - Type for reference to a message. - - - - - - - - Type for unique identifier of Subscription within Participant. - - - - - - - - Type for reference to a subscription. - - - - - - - - Type for unique identifier of Subscription filter within Participant. - - - - - - - - Type for unique identifier of Subscription filter within Participant. - - - - - - - - - Timestamp on request. - - - - - Reference to a requestor - Participant Code. - - - - - Type for a endpoint. - - - - - - Time individual response element was created. - - - - - - Type for identifier of an Item. A transient reference for efficient handling of events. - - - - - - Type for reference to an Item. - - - - - - - - - Whether additional translations of text names are to be included in elements. If 'false', then only one element should be returned. Default is 'false'. + CEN TC278 WG3 SG7 + + SIRI XML schema. Common Request identifier types + Standard + + + SIRI Common Framework basic identifier types. + + + + + + Unique identifier of a message within SIRI functional service type and participant. + + + + + + + + Type for reference to a message. + + + + + + + + Type for unique identifier of Subscription within Participant. + + + + + + + + Type for reference to a subscription. + + + + + + + + Type for unique identifier of Subscription filter within Participant. + + + + + + + + Type for unique identifier of Subscription filter within Participant. + + + + + + + + + Timestamp on request. + + + + + Reference to a requestor - Participant Code. + + + + + Type for a endpoint. + + + + + + Time individual response element was created. + + + + + + Type for identifier of an Item. A transient reference for efficient handling of events. + + + + + + Type for reference to an Item. + + + + + + + + + Whether additional translations of text names are to be included in elements. If 'false', then only one element should be returned. Default is 'false'. Where multiple values are returned The first element returned will be used as the default value. - - - - - Whether SERVICE JOURNEY INTERCHANGE data is to be transmitted or not. Default is 'true'. (since SIRI 2.1) - - - - - Whether JOURNEY RELATION data is to be transmitted or not. Default is 'true'. (since SIRI 2.1) - - - - - Whether TRAIN (ELEMENT), COMPOUND TRAIN and TRAIN STOP ASSIGNMENT data is to be transmitted or not. Default is 'true'. (since SIRI 2.1) - - - - - - Type for capability ref. - - - - - - - - Type for capability code. - - - - - - - Enumeration of communications transport method usage. - - - - - - - - - - - - - Enumeration of compression usage. - - - - - - - + + + + + Whether SERVICE JOURNEY INTERCHANGE data is to be transmitted or not. Default is 'true'. (since SIRI 2.1) + + + + + Whether JOURNEY RELATION data is to be transmitted or not. Default is 'true'. (since SIRI 2.1) + + + + + Whether TRAIN (ELEMENT), COMPOUND TRAIN and TRAIN STOP ASSIGNMENT data is to be transmitted or not. Default is 'true'. (since SIRI 2.1) + + + + + + Type for capability ref. + + + + + + + + Type for capability code. + + + + + + + Enumeration of communications transport method usage. + + + + + + + + + + + + + Enumeration of compression usage. + + + + + + +
diff --git a/xsd/siri/siri_requests.xsd b/xsd/siri/siri_requests.xsd index 75abe55a..785a6242 100644 --- a/xsd/siri/siri_requests.xsd +++ b/xsd/siri/siri_requests.xsd @@ -1,37 +1,37 @@ - - - - main schema - e-service developers - CEN TC278 WG3 SG7 Team - Europe - First drafted for version 1.0 CEN TC278 WG3 SG7 Editor Nicholas Knowles, Kizoom. mailto:schemer@siri.org.uk - - 2004-09-29 - - - 2004-10-01 - - - 2005-02-14 - - - 2005-02-20 - - - 2005-05-11 - - - 2005-11-20 - - - 2007-03-29 - - - 2008-11-11 - - - - 2008-11-13 - - - - 2008-11-17 - + + + 2008-11-17 + - - - 2009-03-31 - - - - 2011-04-18 - + + + 2011-04-18 + - - - 2012-03-23 - - - - 2012-06-17 - - - - 2013-02-11 - - - -

SIRI is a European CEN standard for the exchange of real-time information. This subschema defines common request processing elements

-
- - text/xml - http://www.w3.org/2001/XMLSchema - XML schema, W3C Recommendation 2001 - - {http://www.siri.org.uk/schema/2.0/xsd/siri/}siri_requests.xsd - [ISO 639-2/B] ENG - Kizoom, 109-123 Clifton Street, London EC4A 4LD - - http://www.siri.org.uk/schema/2.0/xsd/siri_utility/siri_types.xsd - - - CEN, VDV, RTIG 2004-2021 - - -
    -
  • Derived from the VDV, RTIGXML and Trident standards.
  • -
- - Version 2.1 - - Arts, recreation and travel, Tourism, Travel (tourism), Transport, + + +

SIRI is a European CEN standard for the exchange of real-time information. This subschema defines common request processing elements

+
+ + text/xml + http://www.w3.org/2001/XMLSchema + XML schema, W3C Recommendation 2001 + + {http://www.siri.org.uk/schema/2.0/xsd/siri/}siri_requests.xsd + [ISO 639-2/B] ENG + Kizoom, 109-123 Clifton Street, London EC4A 4LD + + http://www.siri.org.uk/schema/2.0/xsd/siri_utility/siri_types.xsd + + + + CEN, VDV, RTIG 2004-2021 + + +
    +
  • Derived from the VDV, RTIGXML and Trident standards.
  • +
+ + Version 2.1 + + Arts, recreation and travel, Tourism, Travel (tourism), Transport, Air transport, Airports, Ports and maritime transport, Ferries (marine), Public transport, Bus services, Coach services, Bus stops and stations, Rail transport, Railway stations and track, Train services, Underground trains, Business and industry transport, Roads and road transport - CEN TC278 WG3 SG7 - - SIRI XML schema. Common Request elements. - Standard -
-
- SIRI Common Request Framework. -
- - - - - - - - - Subsititutable type for a timestamped SIRI request. - - - - - Type for General SIRI Request. - - - - - - - - - Subsititutable type for an authenticated request Authenticated. - - - - - Type for Authticated SIRI Request. - - - - - - - - - - Elemenst for authecticiation. (since SIRI 2.0) - - - - - Account Identifier. May be used to attribute requests to a particular application provider and authentication key. The account may be common to all users of an application, or to an individual user. Note that to identify an individual user the RequestorRef can be used with an anonymised token. . (since SIRI 2.0) - - - - - Authentication key for request. May be used to authenticate requests from a particular account. (since SIRI 2.0) - - - - - - - - Type for General SIRI Request. - - - - - - - - If request has been proxied by an intermediate aggregating system , tracking information relating to the original requestor. This allows the aggregation to be stateless. (since SIRI 2.0) - - - - - - - - - Elements relating to system that sent request. - - - - - Address to which response is to be sent. This may also be determined from RequestorRef and preconfigured data. - - - - - - Arbitrary unique identifier that can be used to reference this message in subsequent interactions. - - - - - - - If request has been proxied by an intermediate aggregating system , tracking information relating to the original requestor. This allows the aggregation to be stateless. - - - - - Address of original Consumer, i.e. requesting system to which delegating response is to be returned. (since SIRI 2.0) - - - - - Identifier of delegating system that originated message. (since SIRI 2.0) - - - - - - - - Subsititutable type for a SIRI request with requestor dteials tracked. - - - - - - Substitutable type for a SIRI Functional Service request. - - - - - Abstract Service Request for SIRI Service request. - - - - - - - Unique reference to request: participant and SIRI service type are given by context. Used on requests that are embedded in the context of another request. Only a message identfiier may be needed. - - - - - - - - - Unique reference to request: participant and SIRI service type are given by context. Used on requests that are embedded in the context of another request. - - - - - Arbitrary unique reference to this message. - - - - - - - Subsititutable type for a SIRI Functional Service request. - - - - - Abstract Service Request for SIRI Service request. - - - - - - - - - Subsititutable type for a SIRI Functional Service subscription request. - - - - - Type for SIRI Service subscriptions. - - - - - - Requested end time for subscription. - - - - - By using this element, the subscriber asks the data provider for an extension of the InitialTerminationTime of the subscription. + CEN TC278 WG3 SG7 + + SIRI XML schema. Common Request elements. + Standard + + + SIRI Common Request Framework. + + + + + + + + + + Subsititutable type for a timestamped SIRI request. + + + + + Type for General SIRI Request. + + + + + + + + + Subsititutable type for an authenticated request Authenticated. + + + + + Type for Authticated SIRI Request. + + + + + + + + + + Elemenst for authecticiation. (since SIRI 2.0) + + + + + Account Identifier. May be used to attribute requests to a particular application provider and authentication key. The account may be common to all users of an application, or to an individual user. Note that to identify an individual user the RequestorRef can be used with an anonymised token. . (since SIRI 2.0) + + + + + Authentication key for request. May be used to authenticate requests from a particular account. (since SIRI 2.0) + + + + + + + + Type for General SIRI Request. + + + + + + + + If request has been proxied by an intermediate aggregating system , tracking information relating to the original requestor. This allows the aggregation to be stateless. (since SIRI 2.0) + + + + + + + + + Elements relating to system that sent request. + + + + + Address to which response is to be sent. This may also be determined from RequestorRef and preconfigured data. + + + + + + Arbitrary unique identifier that can be used to reference this message in subsequent interactions. + + + + + + + If request has been proxied by an intermediate aggregating system , tracking information relating to the original requestor. This allows the aggregation to be stateless. + + + + + Address of original Consumer, i.e. requesting system to which delegating response is to be returned. (since SIRI 2.0) + + + + + Identifier of delegating system that originated message. (since SIRI 2.0) + + + + + + + + Subsititutable type for a SIRI request with requestor dteials tracked. + + + + + + Substitutable type for a SIRI Functional Service request. + + + + + Abstract Service Request for SIRI Service request. + + + + + + + Unique reference to request: participant and SIRI service type are given by context. Used on requests that are embedded in the context of another request. Only a message identfiier may be needed. + + + + + + + + + Unique reference to request: participant and SIRI service type are given by context. Used on requests that are embedded in the context of another request. + + + + + Arbitrary unique reference to this message. + + + + + + + Subsititutable type for a SIRI Functional Service request. + + + + + Abstract Service Request for SIRI Service request. + + + + + + + + + Subsititutable type for a SIRI Functional Service subscription request. + + + + + Type for SIRI Service subscriptions. + + + + + + Requested end time for subscription. + + + + + By using this element, the subscriber asks the data provider for an extension of the InitialTerminationTime of the subscription. If SubscriptionRenewal is omitted, this request is to be treated as a re-subscription and therefore all data corresponding to the SubscriptionRequest must be sent in the initial response (or a portion of the data if MoreData is set to 'true'). (since SIRI 2.1) - - - - - - - Type for unique identifier of a subscription. - - - - - Participant identifier of Subscriber. Normally this will be given by context, i.e. be the same as on the Subscription Request. - - - - - Identifier to be given to Subscription. - - - - - - - Type for Subscription context - Configuration parameters which may be evrriden. - - - - - Interval for heartbeat. - - - - - - - Type for COmmon Subscription Request. - - - - - - - - General values that apply to subscription. Usually set by configuration. - - - - - - - - - - Subsititutable type for a SIRI response. - - - - - General Type for General SIRI Response. - - - - - - - - Status Information for overall request. Specific error conditions will be given on each individual request. - - - - - Whether the complerte request could be processed successfully or not. Default is 'true'. If any of the individual requests within the delivery failed, should be set to ' false'. - - - - - Description of any error or warning conditions that appluy to the overall request. More Specific error conditions should be included on each request that fails. - - - - - - - - - - Text description of error. - - - - - - - - - - Type for General SIRI Producer Response. - - - - - - - - If request has been proxied by an intermediate aggregating system , tracking information relating to the original requestor. This allows the aggregation to be stateless. (since SIRI 2.0) - - - - - - - - - Status Information for individual request. - - - - - - Description of any error or warning condition. - - - - - - - - Type for Notification Request. - - - - - - - - - Subsititutable type for a SIRI Functional Service request. - - - - - Type for Common elementd for a SIRI service delivery of the Form xxxDelivery. - - - - - - - - - - - If request has been proxied by an intermediate aggregating system, tracking information relating to the original requestor. This allows the aggregation to be stateless. - - - - - - - - - - - Common defaults. - - - - - Default language for text elements. - - - - - - - Unique reference to request. May be used to reference request in subsequent interactions. - - - - - Address to which data is to be sent, if different from Address. This may also be determined from RequestorRef and preconfigured data. - - - - - Reference to a Subscription Filter with which this subscription is to be aggregated for purposes of notification and delivery. If absent, use the default filter. If present, use any existing filter with that identifier, if none found, create a new one. Optional SIRI feature. - - - - - - - Unique reference to subscription May be used to reference subscription in subsequent interactions. - - - - - Unique identifier of Subscriber - reference to a Participant. - - - - - Unique identifier of Subscription filter to which this subscription is assigned. If there is onlya single filter, then can be omitted. - - - - - Reference to a service subscription: unique within Service and Subscriber. - - - - - - - Unique reference to subscription May be used to reference subscription in subsequent interactions. - - - - - If Delivery is for a Subscription, Participant reference of Subscriber. - - - - - If Delivery is for a Subscription, unique identifier of service subscription request within Service and subscriber - a Timestamp. - - - - - - - Endpoint reference proprerties for response message: participant and SIRI service type are given by context. - - - - - Arbitrary unique reference to the request which gave rise to this message. - - - - - - - Whether the request was processed successfully or not. Default is 'true'. - - - - - - Unique reference to this request, created by Consumer. May be used to reference the request in subsequent interactions. - - - - - Address to which response is to be sent. This may also be determined from RequestorRef and preconfigured data. - - - - - Unique identifier of Consumer - a Participant reference. - - - - - Arbitrary unique reference to this message. Some systems may use just timestamp for this. - - - - - - - Type for Unique reference to this request, created by Consumer. May be used to reference the request in subsequent interactions. Used by WSDL. - - - - - - - - If request has been proxied by an intermediate aggregating system , tracking information relating to the original requestor. This allows the aggregation to be stateless. (since SIRI 2.0) - - - - - - - - - Unique reference to this response message from Consumer. May be used to reference the response in subsequent interactions. - - - - - Unique identifier of Consumer - a Participant reference. - - - - - Reference to an arbitrary unique idenitifer associated with the request which gave rise to this response. - - - - - - - Type for Unique reference to this response created by Consumer. May be used to reference the request in subsequent interactions. Used by WSDL. - - - - - - - - If request has been proxied by an intermediate aggregating system , tracking information relating to the original requestor. This allows the aggregation to be stateless. (since SIRI 2.0) - - - - - - - - - - - Type for Unique reference to request to the producer. May be used to reference request in subsequent interactions. Used for WSDL. - - - - - - - - If request has been proxied by an intermediate aggregating system, tracking information relating to the original requestor. This allows the aggregation to be stateless. - - - - - - - - - Unique reference to request from producer. May be used to reference request in subsequent interactions. - - - - - Address to which response is to be sent. This may also be determined from ProducerRef and preconfigured data. - - - - - Unique identifier of Producer - Participant reference. - - - - - Arbitrary unique reference to this message. Some systems may use just timestamp for this. Where there are multiple SubscriptionFilters, this can be used to distinguish between different notifications for different filters. - - - - - - - Unique reference to response May be used to reference response in subsequent interactions. - - - - - Address for further interaction. - - - - - Participant reference that identifies responder. - - - - - Reference to an arbitrary unique reference associated with the request which gave rise to this response. - - - - - - - Type for Unique reference to reponse. May be used to reference request in subsequent interactions. Used for WSDL. - - - - - - - - If request has been proxied by an intermediate aggregating system , tracking information relating to the original requestor. This allows the aggregation to be stateless. (since SIRI 2.0) - - - - - - - - - Unique reference to reponse from producer. May be used to reference request in subsequent interactions. - - - - - Unique identifier of Producer - Participant reference. - - - - - Endpoint Address to which acknowledgements to confirm delivery are to be sent. - - - - - An arbitrary unique reference associated with the response which may be used to reference it. - - - - - Reference to an arbitrary unique identifier associated with the request which gave rise to this response. - - - - - - - Type for Unique reference to reponse from producer. May be used to reference request in subsequent interactions. Used for WSDL. - - - - - - - - - - - - - Type for an Activity. - - - - - Time at which data was recorded. - - - - - - - Type for an Activity that can be referenced. - - - - - - - Identifier of item. - - - - - - - - - Type for an Activity that can be referenced. - - - - - - - Identifier of item. - - - - - - - - - Type for an Activity that references a previous Activity. - - - - - - - Reference to an Activity Element of a delivery. - - - - - - - - - Type for an Activity that references a previous Activity. - - - - - - - Reference to an Activity Element of a delivery. - - - - - - - - - - - Subsititutable type for a SIRI Functional Service Capabiloitiesequest. - - - - - Type for ServcieCapabilities request. - - - - - - - Whether to include the requestors permissions in the response. Only applies if Access control capability supported. Default is 'false'. - - - - - - - Version number of request. Fixed. - - - - - - - - Status Information for individual request. - - - - - - Description of any error or warning condition. - - - - - - - - Subsititutable type for a SIRI Functional Service Capabiloitiesequest. - - - - - Type for capabilities response. - - - - - - - - If request has been proxied by an intermediate aggregating system, tracking information relating to the original requestor. This allows the aggregation to be stateless. - - - - - - - - - - - - Type for Capabilities of StopMonitopring Service. - - - - - General capabilities common to all SIRI service request types. - - - - - Implementation properties common to all request types. - - - - - - - Type for Common Request Policy capabilities. - - - - - Interaction capabilities. - - - - - - Whether the service supports Request Response Interaction. Default is 'true'. - - - - - Whether the service supports Publish Subscribe Interaction. Default is 'true'. - - - - - - - - Delivery capabilities. - - - - - - Whether the service supports Direct delivery. - - - - - Whether the service supports Fetched delivery (VDV Style) - - - - - - - - Whether the service supports multiple part despatch with MoreData flag. Default is 'true'. - - - - - Whether the service supports multiple Subscriber Filters. Default is ' false'. - - - - - Whether the service supports Delivery confirm. - - - - - Whether the service has a heartbeat message. Default is 'false'. - - - - - Whether VisitNumber can be used as a strict order number within JOURNEY PATTERN. Default is 'false'. - - - - - - - Type for Common Request Policy capabilities. - - - - - National languages supported by service. - - - - - Whether producer can provide multiple translations of NL text elements (since SIRI 2.0) - - - - - Default geospatial Coordinates used by service. - - - - Name of GML Coordinate format used for Geospatial points in responses. - - - - - Geospatial coordinates are given as Wgs 84 Latiude and longitude, decimial degrees of arc. - - - - - - - - Type for Common Subscription capabilities. - - - - - Whether incremental updates can be specified for updates Default is ' true'. - - - - - Whether change threshold can be specified for updates. Default is 'true'. - - - - - - - - Type for implementation structure. - - - - - Communications Transport method used to exchange messages. Default is 'httpPost'. - - - - - Compression method used to compress messages for transmission. Default is 'none'. - - - - - - - - Abstract Discovery request. - - - - - Requests for stop reference data for use in service requests. - - - - - - - - - - - - Abstract type for a discovery delivery. - - - - - Abstract supertype fro discovery responses. - - - - - - - - - + + + + + + + Type for unique identifier of a subscription. + + + + + Participant identifier of Subscriber. Normally this will be given by context, i.e. be the same as on the Subscription Request. + + + + + Identifier to be given to Subscription. + + + + + + + Type for Subscription context - Configuration parameters which may be evrriden. + + + + + Interval for heartbeat. + + + + + + + Type for COmmon Subscription Request. + + + + + + + + General values that apply to subscription. Usually set by configuration. + + + + + + + + + + Subsititutable type for a SIRI response. + + + + + General Type for General SIRI Response. + + + + + + + + Status Information for overall request. Specific error conditions will be given on each individual request. + + + + + Whether the complerte request could be processed successfully or not. Default is 'true'. If any of the individual requests within the delivery failed, should be set to ' false'. + + + + + Description of any error or warning conditions that appluy to the overall request. More Specific error conditions should be included on each request that fails. + + + + + + + + + + Text description of error. + + + + + + + + + + Type for General SIRI Producer Response. + + + + + + + + If request has been proxied by an intermediate aggregating system , tracking information relating to the original requestor. This allows the aggregation to be stateless. (since SIRI 2.0) + + + + + + + + + Status Information for individual request. + + + + + + Description of any error or warning condition. + + + + + + + + Type for Notification Request. + + + + + + + + + Subsititutable type for a SIRI Functional Service request. + + + + + Type for Common elementd for a SIRI service delivery of the Form xxxDelivery. + + + + + + + + + + + If request has been proxied by an intermediate aggregating system, tracking information relating to the original requestor. This allows the aggregation to be stateless. + + + + + + + + + + + Common defaults. + + + + + Default language for text elements. + + + + + + + Unique reference to request. May be used to reference request in subsequent interactions. + + + + + Address to which data is to be sent, if different from Address. This may also be determined from RequestorRef and preconfigured data. + + + + + Reference to a Subscription Filter with which this subscription is to be aggregated for purposes of notification and delivery. If absent, use the default filter. If present, use any existing filter with that identifier, if none found, create a new one. Optional SIRI feature. + + + + + + + Unique reference to subscription May be used to reference subscription in subsequent interactions. + + + + + Unique identifier of Subscriber - reference to a Participant. + + + + + Unique identifier of Subscription filter to which this subscription is assigned. If there is onlya single filter, then can be omitted. + + + + + Reference to a service subscription: unique within Service and Subscriber. + + + + + + + Unique reference to subscription May be used to reference subscription in subsequent interactions. + + + + + If Delivery is for a Subscription, Participant reference of Subscriber. + + + + + If Delivery is for a Subscription, unique identifier of service subscription request within Service and subscriber - a Timestamp. + + + + + + + Endpoint reference proprerties for response message: participant and SIRI service type are given by context. + + + + + Arbitrary unique reference to the request which gave rise to this message. + + + + + + + Whether the request was processed successfully or not. Default is 'true'. + + + + + + Unique reference to this request, created by Consumer. May be used to reference the request in subsequent interactions. + + + + + Address to which response is to be sent. This may also be determined from RequestorRef and preconfigured data. + + + + + Unique identifier of Consumer - a Participant reference. + + + + + Arbitrary unique reference to this message. Some systems may use just timestamp for this. + + + + + + + Type for Unique reference to this request, created by Consumer. May be used to reference the request in subsequent interactions. Used by WSDL. + + + + + + + + If request has been proxied by an intermediate aggregating system , tracking information relating to the original requestor. This allows the aggregation to be stateless. (since SIRI 2.0) + + + + + + + + + Unique reference to this response message from Consumer. May be used to reference the response in subsequent interactions. + + + + + Unique identifier of Consumer - a Participant reference. + + + + + Reference to an arbitrary unique idenitifer associated with the request which gave rise to this response. + + + + + + + Type for Unique reference to this response created by Consumer. May be used to reference the request in subsequent interactions. Used by WSDL. + + + + + + + + If request has been proxied by an intermediate aggregating system , tracking information relating to the original requestor. This allows the aggregation to be stateless. (since SIRI 2.0) + + + + + + + + + + + Type for Unique reference to request to the producer. May be used to reference request in subsequent interactions. Used for WSDL. + + + + + + + + If request has been proxied by an intermediate aggregating system, tracking information relating to the original requestor. This allows the aggregation to be stateless. + + + + + + + + + Unique reference to request from producer. May be used to reference request in subsequent interactions. + + + + + Address to which response is to be sent. This may also be determined from ProducerRef and preconfigured data. + + + + + Unique identifier of Producer - Participant reference. + + + + + Arbitrary unique reference to this message. Some systems may use just timestamp for this. Where there are multiple SubscriptionFilters, this can be used to distinguish between different notifications for different filters. + + + + + + + Unique reference to response May be used to reference response in subsequent interactions. + + + + + Address for further interaction. + + + + + Participant reference that identifies responder. + + + + + Reference to an arbitrary unique reference associated with the request which gave rise to this response. + + + + + + + Type for Unique reference to reponse. May be used to reference request in subsequent interactions. Used for WSDL. + + + + + + + + If request has been proxied by an intermediate aggregating system , tracking information relating to the original requestor. This allows the aggregation to be stateless. (since SIRI 2.0) + + + + + + + + + Unique reference to reponse from producer. May be used to reference request in subsequent interactions. + + + + + Unique identifier of Producer - Participant reference. + + + + + Endpoint Address to which acknowledgements to confirm delivery are to be sent. + + + + + An arbitrary unique reference associated with the response which may be used to reference it. + + + + + Reference to an arbitrary unique identifier associated with the request which gave rise to this response. + + + + + + + Type for Unique reference to reponse from producer. May be used to reference request in subsequent interactions. Used for WSDL. + + + + + + + + + + + + + Type for an Activity. + + + + + Time at which data was recorded. + + + + + + + Type for an Activity that can be referenced. + + + + + + + Identifier of item. + + + + + + + + + Type for an Activity that can be referenced. + + + + + + + Identifier of item. + + + + + + + + + Type for an Activity that references a previous Activity. + + + + + + + Reference to an Activity Element of a delivery. + + + + + + + + + Type for an Activity that references a previous Activity. + + + + + + + Reference to an Activity Element of a delivery. + + + + + + + + + + + Subsititutable type for a SIRI Functional Service Capabiloitiesequest. + + + + + Type for ServcieCapabilities request. + + + + + + + Whether to include the requestors permissions in the response. Only applies if Access control capability supported. Default is 'false'. + + + + + + + Version number of request. Fixed. + + + + + + + + Status Information for individual request. + + + + + + Description of any error or warning condition. + + + + + + + + Subsititutable type for a SIRI Functional Service Capabiloitiesequest. + + + + + Type for capabilities response. + + + + + + + + If request has been proxied by an intermediate aggregating system, tracking information relating to the original requestor. This allows the aggregation to be stateless. + + + + + + + + + + + + Type for Capabilities of StopMonitopring Service. + + + + + General capabilities common to all SIRI service request types. + + + + + Implementation properties common to all request types. + + + + + + + Type for Common Request Policy capabilities. + + + + + Interaction capabilities. + + + + + + Whether the service supports Request Response Interaction. Default is 'true'. + + + + + Whether the service supports Publish Subscribe Interaction. Default is 'true'. + + + + + + + + Delivery capabilities. + + + + + + Whether the service supports Direct delivery. + + + + + Whether the service supports Fetched delivery (VDV Style) + + + + + + + + Whether the service supports multiple part despatch with MoreData flag. Default is 'true'. + + + + + Whether the service supports multiple Subscriber Filters. Default is ' false'. + + + + + Whether the service supports Delivery confirm. + + + + + Whether the service has a heartbeat message. Default is 'false'. + + + + + Whether VisitNumber can be used as a strict order number within JOURNEY PATTERN. Default is 'false'. + + + + + + + Type for Common Request Policy capabilities. + + + + + National languages supported by service. + + + + + Whether producer can provide multiple translations of NL text elements (since SIRI 2.0) + + + + + Default geospatial Coordinates used by service. + + + + Name of GML Coordinate format used for Geospatial points in responses. + + + + + Geospatial coordinates are given as Wgs 84 Latiude and longitude, decimial degrees of arc. + + + + + + + + Type for Common Subscription capabilities. + + + + + Whether incremental updates can be specified for updates Default is ' true'. + + + + + Whether change threshold can be specified for updates. Default is 'true'. + + + + + + + + Type for implementation structure. + + + + + Communications Transport method used to exchange messages. Default is 'httpPost'. + + + + + Compression method used to compress messages for transmission. Default is 'none'. + + + + + + + + Abstract Discovery request. + + + + + Requests for stop reference data for use in service requests. + + + + + + + + + + + + Abstract type for a discovery delivery. + + + + + Abstract supertype fro discovery responses. + + + + + + + + +
diff --git a/xsd/siriSg.xsd b/xsd/siriSg.xsd index 310ef35c..5680f819 100644 --- a/xsd/siriSg.xsd +++ b/xsd/siriSg.xsd @@ -1,114 +1,115 @@ - - - - main schema - e-service developers - - Dipl.-Kfm. Winfried Bruns, Verband Deutscher, Köln, de v1.0 - Mark Cartwright, Centaur Consulting Limited, Guildford, uk v1.0 - Christophe Duquesne, PDG Consultant en systémes, Dryade Guyancourt, fr v1.0 - Stefan Fjällemark, HUR - Hovedstadens, Valby, dk v1.0 - Jonas Jäderberg, Columna, Borlänge, fi v1.0 - Dipl.-Ing. Sven Juergens psitrans juergens@psitrans.de v1.0 - Nicholas Knowles, KIZOOM Limited, London EC4A 1LT, uk v1.0 - Werner Kohl, Mentz Datenverarbeitung GmbH, München,de v1.0 - Peter Miller, ACIS Research and Development, Cambridge CB4 0DL, uk v1.0 - Dr. Martin Siczkowski, West Yorkshire PTE, Leeds, uk v1.0 - Gustav Thiessen BLIC thi@BLIC.DE, de v1.0 - Dr Bartak, bartak@apex-jesenice.cz v1.0 - Dr. Franz-Josef Czuka, Beratungsgesellschaft für, Düsseldorf, de v1.0 - Dr.-Ing. Klaus-Peter Heynert, PSI Transportation GmbH, Berlin, de v1.0 - Jean-Laurant Franchineau, CONNEX-EUROLUM, PARIS, fr v1.0 - Dipl.-Ing. (FH) Rainer Ganninger, init innovation in, Karlsruhe, de v1.0 - Dipl.-Ing. HTL Peter Machalek, Siemens Transit, Neuhausen am Rheinfall, ch v1.0 - El Ing. Ernst Pfister, Siemens Transit, Neuhausen am Rheinfall, ch v1.0 - Dipl.-Ing. Berthold Radermacher, Verband Deutscher, Köln, de v1.0 - Dr. Friedemann Weik, Hamburger Berater Team GmbH, Hamburg, de v1.0 - - Robin Vettier, ixxi.com, fr v1.3 - Ofer Porat, fr v1.3 - Burt Alexander', sigtec.com - Michelle Etienne, Dryade, Paris fr, v1.3 - Brian Ferris onebusaway.org, us, v1.3 - Manuem Mahne Siemens.com - - Ulf Bjersing, Hogia - Stenungsgrund, se v2.0 - Dipl.-Math Christoph Blendinger, DB, Frankfort, de v2.0 - Dipl.-Kfm. Winfried Bruns, Verband Deutscher, Köln, de v2.0 - Christophe Duquesne, PDG Consultant en systémes, Auriga, fr v2.0 - Gerald Dury, Trapeze Neuhausen am Rhein, ch, fr v2.0 - Michelle Etienne, Dryade, Paris fr v2.0 - Michael Frumin, MTA, us, v2.0 - Nicholas Knowles, Trapeze Limited, London, uk v2.0 - Werner Kohl, Mentz Datenverarbeitung GmbH, München, de v2.0 - Davide Lallouche, RATP, Paris, fr v2.0 - Jeff Makkie, us, v2.0 - Daniel Rubli, Trapeze Neuhausen am Rhein, ch, fr v2.0 - Gustav Thiessen BLIC thi@BLIC.DE, de 2.0 v1.0 - Jeff Maki, openplans, us, v2.0 - Europe - >Drafted for version 1.0 & Version 2.0 CEN TC278 WG3 SG7 Editor Nicholas Knowles, Kizoom. mailto:schemer@siri.org.uk - - 2008-11-17 - - - - 2008-04-18 - - - - 2009-03-30 - - - - 2011-04-18 - - - - 2012-03-23 - + Dipl.-Kfm. Winfried Bruns, Verband Deutscher, Köln, de v1.0 + Mark Cartwright, Centaur Consulting Limited, Guildford, uk v1.0 + Christophe Duquesne, PDG Consultant en systémes, Dryade Guyancourt, fr v1.0 + Stefan Fjällemark, HUR - Hovedstadens, Valby, dk v1.0 + Jonas Jäderberg, Columna, Borlänge, fi v1.0 + Dipl.-Ing. Sven Juergens psitrans juergens@psitrans.de v1.0 + Nicholas Knowles, KIZOOM Limited, London EC4A 1LT, uk v1.0 + Werner Kohl, Mentz Datenverarbeitung GmbH, München,de v1.0 + Peter Miller, ACIS Research and Development, Cambridge CB4 0DL, uk v1.0 + Dr. Martin Siczkowski, West Yorkshire PTE, Leeds, uk v1.0 + Gustav Thiessen BLIC thi@BLIC.DE, de v1.0 + Dr Bartak, bartak@apex-jesenice.cz v1.0 + Dr. Franz-Josef Czuka, Beratungsgesellschaft für, Düsseldorf, de v1.0 + Dr.-Ing. Klaus-Peter Heynert, PSI Transportation GmbH, Berlin, de v1.0 + Jean-Laurant Franchineau, CONNEX-EUROLUM, PARIS, fr v1.0 + Dipl.-Ing. (FH) Rainer Ganninger, init innovation in, Karlsruhe, de v1.0 + Dipl.-Ing. HTL Peter Machalek, Siemens Transit, Neuhausen am Rheinfall, ch v1.0 + El Ing. Ernst Pfister, Siemens Transit, Neuhausen am Rheinfall, ch v1.0 + Dipl.-Ing. Berthold Radermacher, Verband Deutscher, Köln, de v1.0 + Dr. Friedemann Weik, Hamburger Berater Team GmbH, Hamburg, de v1.0 + + Robin Vettier, ixxi.com, fr v1.3 + Ofer Porat, fr v1.3 + Burt Alexander', sigtec.com + Michelle Etienne, Dryade, Paris fr, v1.3 + Brian Ferris onebusaway.org, us, v1.3 + Manuem Mahne Siemens.com + + Ulf Bjersing, Hogia - Stenungsgrund, se v2.0 + Dipl.-Math Christoph Blendinger, DB, Frankfort, de v2.0 + Dipl.-Kfm. Winfried Bruns, Verband Deutscher, Köln, de v2.0 + Christophe Duquesne, PDG Consultant en systémes, Auriga, fr v2.0 + Gerald Dury, Trapeze Neuhausen am Rhein, ch, fr v2.0 + Michelle Etienne, Dryade, Paris fr v2.0 + Michael Frumin, MTA, us, v2.0 + Nicholas Knowles, Trapeze Limited, London, uk v2.0 + Werner Kohl, Mentz Datenverarbeitung GmbH, München, de v2.0 + Davide Lallouche, RATP, Paris, fr v2.0 + Jeff Makkie, us, v2.0 + Daniel Rubli, Trapeze Neuhausen am Rhein, ch, fr v2.0 + Gustav Thiessen BLIC thi@BLIC.DE, de 2.0 v1.0 + Jeff Maki, openplans, us, v2.0 + Europe + >Drafted for version 1.0 & Version 2.0 CEN TC278 WG3 SG7 Editor Nicholas Knowles, Kizoom. mailto:schemer@siri.org.uk + + 2008-11-17 + + + + 2008-04-18 + + + + 2009-03-30 + + + + 2011-04-18 + + + + 2012-03-23 + - - -

SIRI is a European CEN technical standard for the exchange of real-time information.

-

SIRI is defined by XMLschemas and comprises a general protocol for communication, and a modular set of functional services. + + +

SIRI is a European CEN technical standard for the exchange of real-time information.

+

SIRI is defined by XMLschemas and comprises a general protocol for communication, and a modular set of functional services. This version of the schema uses substitution groups to provide a loosley coupled encoding Additional functional services may be added just by an includes statement.

-

SIRI supports both direct request/response and publish subscribe patterns of interaction.

-

SIRI includes common mechanisms and messages for system status management.

-

SIRI documents can be exchanged using http post, and/or SOAP.

-
- - text/xml - http://www.w3.org/2001/XMLSchema - XML schema, W3C Recommendation 2001 - - {http://www.siri.org.uk/schema/2.0/xsd/}siriSg.xsd - [ISO 639-2/B] ENG - Kizoom Software Ltd 16 High Holborn, London WC1V 6BX - - http://www.siri.org.uk/schema/2.0/xsd/siri__base.xsd - http://www.siri.org.uk/schema/2.0/xsd/siri__allFunctionalServices.xsd - - - CEN, VDV, RTIG 2004-2021 +

SIRI supports both direct request/response and publish subscribe patterns of interaction.

+

SIRI includes common mechanisms and messages for system status management.

+

SIRI documents can be exchanged using http post, and/or SOAP.

+ + + text/xml + http://www.w3.org/2001/XMLSchema + XML schema, W3C Recommendation 2001 + + {http://www.siri.org.uk/schema/2.0/xsd/}siriSg.xsd + [ISO 639-2/B] ENG + Kizoom Software Ltd 16 High Holborn, London WC1V 6BX + + http://www.siri.org.uk/schema/2.0/xsd/siri__base.xsd + http://www.siri.org.uk/schema/2.0/xsd/siri__allFunctionalServices.xsd + + + + CEN, VDV, RTIG 2004-2021 - -
    -
  • Derived from the VDV, RTIG XML and Trident standards.
  • -
  • Derived from the SIRI Version 1.0
  • -
- - Version 2.1 - - Arts, recreation and travel, Tourism, Travel (tourism), Transport, + +
    +
  • Derived from the VDV, RTIG XML and Trident standards.
  • +
  • Derived from the SIRI Version 1.0
  • +
+ + Version 2.1 + + Arts, recreation and travel, Tourism, Travel (tourism), Transport, Air transport, Airports, Ports and maritime transport, Ferries (marine), Public transport, Bus services, Coach services, Bus stops and stations, @@ -116,34 +117,34 @@ Rail transport, Railway stations and track, Train services, Underground trains, Business and industry, Transport, Air transport, Ports and maritime transport, Public transport, Rail transport, Roads and road transport. - CEN TC278 WG3 SG7 - - SIRI XML schema. Service Interface for Real-time Information relating to Public Transport Operations. Generic Substitution groups version - Standard -
-
- SIRI Service Interface for Real-time Information relating to Public Transport Operations. XML Schema with loosely coupled functional services, -
- - - - - - - - - - - Service Interface for Real-time Operation. - - - - - - - - - - - + CEN TC278 WG3 SG7 + + SIRI XML schema. Service Interface for Real-time Information relating to Public Transport Operations. Generic Substitution groups version + Standard + + + SIRI Service Interface for Real-time Information relating to Public Transport Operations. XML Schema with loosely coupled functional services, + + + + + + + + + + + + Service Interface for Real-time Operation. + + + + + + + + + + +
diff --git a/xsd/siri_all_functionalServices.xsd b/xsd/siri_all_functionalServices.xsd index 52287375..796f2d61 100644 --- a/xsd/siri_all_functionalServices.xsd +++ b/xsd/siri_all_functionalServices.xsd @@ -1,22 +1,22 @@ - - - - main schema - e-service developers - Europe - >Drafted for Version 2.0 CEN TC278 WG3 SG7 Editor Nicholas Knowles, Kizoom. mailto:schemer@siri.org.uk - 2012-03-29 + + + + main schema + e-service developers + Europe + >Drafted for Version 2.0 CEN TC278 WG3 SG7 Editor Nicholas Knowles, Kizoom. mailto:schemer@siri.org.uk + 2012-03-29 Facrore dout from Siri.xsd - 2012-03-29 + 2012-03-29 SIRI Version 2.0 Refactored to improve modularisation - -

SIRI is a European CEN technical standard for the exchange of real-time information.

-

SIRI is defined by XMLschemas and comprises a general protocol for communication, and a modular set of functional services. + +

SIRI is a European CEN technical standard for the exchange of real-time information.

+

SIRI is defined by XMLschemas and comprises a general protocol for communication, and a modular set of functional services. Thisdocument provides a list of current functional servcies Additional services may be added just by an includs statement. @@ -25,43 +25,44 @@

  • SIRI-PT Production Timetable: Exchanges planned timetables.
  • SIRI-ET Estimated Timetable: Exchanges real-time updates to timetables.
  • SIRI-ST Stop Timetable: Provides timetable information about stop departures and arrivals.
  • SIRI-SM Stop Monitoring: Provides real-time information about stop departures and arrivals.
  • SIRI-VM Vehicle Monitoring: Provides real-time information about VEHICLE movements.
  • SIRI-CT Connection Timetable: Provides timetabled information about feeder and distributor arrivals and departures at a connection point.
  • SIRI-VM Connection Monitoring: Provides real-time information about feeder and distributor arrivals and departures at a a connection point. Can be used to support "Connection protection".
  • SIRI-GM General Message: Exchanges general information messages between participants
  • SIRI-FM Facility Monitoring: Provides real-time information about facilities.
  • SIRI-SX SItuation Exchange: Provides real-time information about Incidents.

-

SIRI supports both direct request/response and publish subscribe patterns of interaction.

-

SIRI includes common mechanisms and messages for system status management.

-

SIRI documents can be exchanged using http post, and/or SOAP.

-
- - text/xml - http://www.w3.org/2001/XMLSchema - XML schema, W3C Recommendation 2001 - - {http://www.siri.org.uk/schema/2.0/xsd/}all_functionalServices.xsd - [ISO 639-2/B] ENG - Kizoom Software Ltd 16 High Holborn, London WC1V 6BX - - http://www.siri.org.uk/schema/2.0/xsd/siri__base.xsd - http://www.siri.org.uk/schema/2.0/xsd/siri__estimatedTimetable_service.xsd - http://www.siri.org.uk/schema/2.0/xsd/siri__productionTimetable_service.xsd - http://www.siri.org.uk/schema/2.0/xsd/siri__stopMonitoring_service.xsd - http://www.siri.org.uk/schema/2.0/xsd/siri__vehicleMonitoring_service.xsd - http://www.siri.org.uk/schema/2.0/xsd/siri__connectionTimetable_service.xsd - http://www.siri.org.uk/schema/2.0/xsd/siri__connectionMonitoring_service.xsd - http://www.siri.org.uk/schema/2.0/xsd/siri__generalMessage_service.xsd - http://www.siri.org.uk/schema/2.0/xsd/siri__discovery.xsd - http://www.siri.org.uk/schema/2.0/xsd/siri__situationExchange_service.xsd - http://www.siri.org.uk/schema/2.0/xsd/siri__facilityMonitoring_service.xsd - - - CEN, VDV, RTIG 2004-2021 +

SIRI supports both direct request/response and publish subscribe patterns of interaction.

+

SIRI includes common mechanisms and messages for system status management.

+

SIRI documents can be exchanged using http post, and/or SOAP.

+ + + text/xml + http://www.w3.org/2001/XMLSchema + XML schema, W3C Recommendation 2001 + + {http://www.siri.org.uk/schema/2.0/xsd/}all_functionalServices.xsd + [ISO 639-2/B] ENG + Kizoom Software Ltd 16 High Holborn, London WC1V 6BX + + http://www.siri.org.uk/schema/2.0/xsd/siri__base.xsd + http://www.siri.org.uk/schema/2.0/xsd/siri__estimatedTimetable_service.xsd + http://www.siri.org.uk/schema/2.0/xsd/siri__productionTimetable_service.xsd + http://www.siri.org.uk/schema/2.0/xsd/siri__stopMonitoring_service.xsd + http://www.siri.org.uk/schema/2.0/xsd/siri__vehicleMonitoring_service.xsd + http://www.siri.org.uk/schema/2.0/xsd/siri__connectionTimetable_service.xsd + http://www.siri.org.uk/schema/2.0/xsd/siri__connectionMonitoring_service.xsd + http://www.siri.org.uk/schema/2.0/xsd/siri__generalMessage_service.xsd + http://www.siri.org.uk/schema/2.0/xsd/siri__discovery.xsd + http://www.siri.org.uk/schema/2.0/xsd/siri__situationExchange_service.xsd + http://www.siri.org.uk/schema/2.0/xsd/siri__facilityMonitoring_service.xsd + + + + CEN, VDV, RTIG 2004-2021 - -
    -
  • Derived from the VDV, RTIG XML and Trident standards.
  • -
  • Derived from the SIRI Version 1.0.
  • -
- - Version 2.1 - - Arts, recreation and travel, Tourism, Travel (tourism), Transport, + +
    +
  • Derived from the VDV, RTIG XML and Trident standards.
  • +
  • Derived from the SIRI Version 1.0.
  • +
+ + Version 2.1 + + Arts, recreation and travel, Tourism, Travel (tourism), Transport, Air transport, Airports, Ports and maritime transport, Ferries (marine), Public transport, Bus services, Coach services, Bus stops and stations, @@ -69,27 +70,27 @@ Rail transport, Railway stations and track, Train services, Underground trains, Business and industry, Transport, Air transport, Ports and maritime transport, Public transport, Rail transport, Roads and road transport. - CEN TC278 WG3 SG7 - - SIRI XML schema. Service Interface for Real-time Information relating to Public Transport Operations. Current SIRI functional servics - Standard -
-
-
- - - - - - - - - - - - - - - - + CEN TC278 WG3 SG7 + + SIRI XML schema. Service Interface for Real-time Information relating to Public Transport Operations. Current SIRI functional servics + Standard +
+
+
+ + + + + + + + + + + + + + + +
diff --git a/xsd/siri_connectionMonitoring_service.xsd b/xsd/siri_connectionMonitoring_service.xsd index 52945aba..7e50f7af 100644 --- a/xsd/siri_connectionMonitoring_service.xsd +++ b/xsd/siri_connectionMonitoring_service.xsd @@ -1,78 +1,79 @@ - - - - main schema - e-service developers - CEN TC278 WG3 SG7 Team - Dipl.-Ing. Sven Juergens psitrans juergens@psitrans.de - Gustav Thiessen BLIC thi@BLIC.DE - Europe - Drafted for version 1.0 CEN TC278 WG3 SG7 Editor Nicholas Knowles, Kizoom. mailto:schemer@siri.org.uk - - 2004-09-10 - - - 2004-10-01 - - - 2005-02-14 - - - 2005-02-20 - - - 2005-05-11 - - 2007-04-17 + + + + main schema + e-service developers + CEN TC278 WG3 SG7 Team + Dipl.-Ing. Sven Juergens psitrans juergens@psitrans.de + Gustav Thiessen BLIC thi@BLIC.DE + Europe + Drafted for version 1.0 CEN TC278 WG3 SG7 Editor Nicholas Knowles, Kizoom. mailto:schemer@siri.org.uk + + 2004-09-10 + + + 2004-10-01 + + + 2005-02-14 + + + 2005-02-20 + + + 2005-05-11 + + 2007-04-17 Name Space changes - 2008-11-17 + 2008-11-17 Revise to support substitution groups - 2012-03-23 + 2012-03-23 (since SIRI 2.0) Add SuggestedWaitDecisionTime to MonitoredArrival - 2012-04-18 + 2012-04-18 (since SIRI 2.0) Add ValidUntil Time to MonitoredFeederArrival * [FR] Add Extensions tag to ConnectionMonitoringSubscriptionRequest [DE] Correct Capabilities matrix - 2013-01-24 + 2013-01-24 WB: insert the AimedArrivalTime in MonitoredFeederArrival; insert the ArrivalPlatformName into MonitoredFeederArrival - -

SIRI is a European CEN standard for the exchange of Public Transport real-time information.

-

This sub-schema describes the Connection Monitoring Service.

-
- - text/xml - http://www.w3.org/2001/XMLSchema - XML schema, W3C Recommendation 2001 - - {http://www.siri.org.uk/schema/2.0/xsd/}siri_connectionMonitoring_service.xsd - [ISO 639-2/B] ENG - Kizoom, 109-123 Clifton Street, London EC4A 4LD - - http://www.siri.org.uk/schema/2.0/xsd/siri/siri_requests.xsd - http://www.siri.org.uk/schema/2.0/xsd/siri_model/siri_journey.xsd - http://www.siri.org.uk/schema/2.0/xsd/siri_model/siri_modelPermissions.xsd - - - CEN, VDV, RTIG 2004-2021 + +

SIRI is a European CEN standard for the exchange of Public Transport real-time information.

+

This sub-schema describes the Connection Monitoring Service.

+
+ + text/xml + http://www.w3.org/2001/XMLSchema + XML schema, W3C Recommendation 2001 + + {http://www.siri.org.uk/schema/2.0/xsd/}siri_connectionMonitoring_service.xsd + [ISO 639-2/B] ENG + Kizoom, 109-123 Clifton Street, London EC4A 4LD + + http://www.siri.org.uk/schema/2.0/xsd/siri/siri_requests.xsd + http://www.siri.org.uk/schema/2.0/xsd/siri_model/siri_journey.xsd + http://www.siri.org.uk/schema/2.0/xsd/siri_model/siri_modelPermissions.xsd + + + + CEN, VDV, RTIG 2004-2021 - -
    -
  • Derived from the VDV, RTIG XML and Trident standards.
  • -
- - Version 2.1 - - Arts, recreation and travel, Tourism, Travel (tourism), Transport, + +
    +
  • Derived from the VDV, RTIG XML and Trident standards.
  • +
+ + Version 2.1 + + Arts, recreation and travel, Tourism, Travel (tourism), Transport, Air transport, Airports, Ports and maritime transport, Ferries (marine), Public transport, Bus services, Coach services, Bus stops and stations, @@ -80,652 +81,652 @@ Rail transport, Railway stations and track, Train services, Underground trains, Business and industry, Transport, Air transport, Ports and maritime transport, Public transport, Rail transport, Roads and road transport - CEN TC278 WG3 SG7 - - SIRI-CM XML schema. Service Interface for Real-time Information. Connection Monitoring Service. - Standard -
-
- SIRI-CM Connection Monitoring Service. -
- - - - - - Convenience artifact to pick out main elements of the Connection Services. - - - - - - - - - Convenience artifact to pick out main elements of the Connection Monitoring Service. - - - - - - - - - - - - - - - - - Request for information about changes to connections at a stop for Connection Monitoring service. - - - - - Type for Request Connection Monitoring Service. - - - - - - - - - - - Version number of request. Fixed + CEN TC278 WG3 SG7 + + SIRI-CM XML schema. Service Interface for Real-time Information. Connection Monitoring Service. + Standard +
+
+ SIRI-CM Connection Monitoring Service. +
+ + + + + + Convenience artifact to pick out main elements of the Connection Services. + + + + + + + + + Convenience artifact to pick out main elements of the Connection Monitoring Service. + + + + + + + + + + + + + + + + + Request for information about changes to connections at a stop for Connection Monitoring service. + + + + + Type for Request Connection Monitoring Service. + + + + + + + + + + + Version number of request. Fixed - - - - - - - - Parameters that specify the content to be returned. - - - - - Forward duration for which events should be included, that is, interval before predicted arrival at the stop for which to include events: only journeys which will arrive or depart within this time span will be returned. - - - - - CONNECTION LINK for which data is to be supplied. - - - - - - Return only journeys for the specified time. - - - - - Return only the specified journeys. - - - - - - - - Parameters that affect the request processing. - - - - - Preferred languages in which to return text values. - - - - - - Level of detail to include in response. Default is 'normal'. - - - - - - - Detail Levels for Connection Monitoring Request. - - - - - Return only the minimum amount of optional data for each Stop Visit to provide a display, A time at stop, LINE name and destination name. - - - - - Return minimum and other available basic details for each Stop Visit. Do not include data on times at next stop or destination. - - - - - Return all basic data, and also origin VIA points and destination. - - - - - Return all available data for each Stop Visit, including calls. - - - - - - - Type for filter for connecting journeys. - - - - - A reference to a dated VEHICLE JOURNEY. - - - - - - Timetabled arrival time at the connection point. - - - - - - - Type for time filter for connecting journeys. - - - - - Feeder LINE for which data is to be supplied. - - - - - Feeder for which data is to be supplied. - - - - - Earliest managed arrival time at the connection point. - - - - - Latest managedarrival time at the connection point. - - - - - - - - Request for a subscription to Connection Monitoring Service. - - - - - Subscription Request for Connection Monitoring. - - - - - - - - - - - - - - Parameters that affect the subscription processing. - - - - - The amount of change to the arrival time that can happen before an update is sent (i.e. if ChangeBeforeUpdate is set to 2 minutes, the subscriber will not be told that a bus is 30 seconds delayed - an update will only be sent when the bus is at least 2 minutes delayed). Default is zero - all changes will be sent regardless. - - - - - - - - - Feeder Delivery for Connection Monitoring Service. - - - - - Type for Delivery for Connection Monitoring. - - - - - - - - - - Version number of response. Fixed + + + + + + + + Parameters that specify the content to be returned. + + + + + Forward duration for which events should be included, that is, interval before predicted arrival at the stop for which to include events: only journeys which will arrive or depart within this time span will be returned. + + + + + CONNECTION LINK for which data is to be supplied. + + + + + + Return only journeys for the specified time. + + + + + Return only the specified journeys. + + + + + + + + Parameters that affect the request processing. + + + + + Preferred languages in which to return text values. + + + + + + Level of detail to include in response. Default is 'normal'. + + + + + + + Detail Levels for Connection Monitoring Request. + + + + + Return only the minimum amount of optional data for each Stop Visit to provide a display, A time at stop, LINE name and destination name. + + + + + Return minimum and other available basic details for each Stop Visit. Do not include data on times at next stop or destination. + + + + + Return all basic data, and also origin VIA points and destination. + + + + + Return all available data for each Stop Visit, including calls. + + + + + + + Type for filter for connecting journeys. + + + + + A reference to a dated VEHICLE JOURNEY. + + + + + + Timetabled arrival time at the connection point. + + + + + + + Type for time filter for connecting journeys. + + + + + Feeder LINE for which data is to be supplied. + + + + + Feeder for which data is to be supplied. + + + + + Earliest managed arrival time at the connection point. + + + + + Latest managedarrival time at the connection point. + + + + + + + + Request for a subscription to Connection Monitoring Service. + + + + + Subscription Request for Connection Monitoring. + + + + + + + + + + + + + + Parameters that affect the subscription processing. + + + + + The amount of change to the arrival time that can happen before an update is sent (i.e. if ChangeBeforeUpdate is set to 2 minutes, the subscriber will not be told that a bus is 30 seconds delayed - an update will only be sent when the bus is at least 2 minutes delayed). Default is zero - all changes will be sent regardless. + + + + + + + + + Feeder Delivery for Connection Monitoring Service. + + + + + Type for Delivery for Connection Monitoring. + + + + + + + + + + Version number of response. Fixed - - - - - - - - Feeder delivery payload content. - - - - - - - - - - A feeder arrival at the connection point. - - - - - Type for Real time connection at a stop. - - - - - - - Direct Cleardown identifier of connection arrival Activity that is being deleted. - - - - - Information about the feeder journey. - - - - - - Number of passengers who wish to transfer at the connection. If absent, not known. - - - - - - Predicted arrival time at the connection zone. - - - - - - Latest time by which the feeder needs informationabout the connection from the distributor as to whether it will wait and for how long. (since SIRI 2.0) - - - - - - - - - - - Cancellation of a feeder arrival at a connection point. - - - - - Type for Deletion of a feeder connection. - - - - - - - Reference to a LINE. - - - - - Reference to a DIRECTION, typically outward or return. - - - - - Reference to a Feeder VEHICLE JOURNEY. - - - - - - Reason for cancellation. (Unbounded since SIRI 2.0) - - - - - - - - - - - Distributor Delivery for Connection Monitoring Service. - - - - - Type for Distributor Delivery for Connection Monitoring Service. - - - - - - - - - - Version number of response. Fixed + + + + + + + + Feeder delivery payload content. + + + + + + + + + + A feeder arrival at the connection point. + + + + + Type for Real time connection at a stop. + + + + + + + Direct Cleardown identifier of connection arrival Activity that is being deleted. + + + + + Information about the feeder journey. + + + + + + Number of passengers who wish to transfer at the connection. If absent, not known. + + + + + + Predicted arrival time at the connection zone. + + + + + + Latest time by which the feeder needs informationabout the connection from the distributor as to whether it will wait and for how long. (since SIRI 2.0) + + + + + + + + + + + Cancellation of a feeder arrival at a connection point. + + + + + Type for Deletion of a feeder connection. + + + + + + + Reference to a LINE. + + + + + Reference to a DIRECTION, typically outward or return. + + + + + Reference to a Feeder VEHICLE JOURNEY. + + + + + + Reason for cancellation. (Unbounded since SIRI 2.0) + + + + + + + + + + + Distributor Delivery for Connection Monitoring Service. + + + + + Type for Distributor Delivery for Connection Monitoring Service. + + + + + + + + + + Version number of response. Fixed - - - - - - - - Distributor (fetcher) payload content. - - - - - An action to delay the Distributor (fetcher) until a specified time. - - - - - A Change to a stop position. - - - - - Deletion of previous connection. - - - - - - - Type for an SERVICE JOURNEY INTERCHANGE Activity. - - - - - - - Elements identifying of a Distributor SERVICE JOURNEY INTERCHANGE. - - - - - Information about the connecting Distributor (fetcher) VEHICLE JOURNEY. - - - - - Reference to a feeder VEHICLE JOURNEY or journeys for which the Distributor (fetcher) will wait . - - - - - - - - - Identifiers of Interchange Distributor Stop. - - - - - Reference to the SERVICE JOURNEY INTERCHANGE between two journeys for which data is being returned. - - - - - Reference to the CONNECTION link or ACCESS ZONE for which data is to be returned and at which SERVICE JOURNEY INTERCHANGE takes place. A reference associated with known feeder arrival and distributor departure STOP POINTs. - - - - - Reference to a STOP POINT within CONNECTION link from which distributor leaves. - Reference to a STOP POINT. - - - - - Order of visit to a stop within JOURNEY PATTERN of distributor VEHICLE JOURNEY. - - - - - For implementations for which Order is not used for VisitNumber, (i.e. if VisitNumberIsOrder is false) then Order can be used to associate the Order as well if useful for translation. - - - - - - - Type for Cancellation of a Distributor VEHICLE JOURNEY from a connection. - - - - - - - Reason for failure of connection. (Unbounded since SIRI 2.0) - - - - - - - - - - Type for Distributor prolonged wait action. - - - - - - - Estimated departure time from the connection. - - - - - - - - - - Type for Change to a Distributor stop position. - - - - - - - Description of the revised stopping position of the Distributor (fetcher) in the connection zone. (Unbounded since SIRI 2.0) - - - - - New location from which Distributor will leave. - - - - - - - - - - - - Type for Deliveries for Connection Monitoring Service. Used in WSDL. - - - - - - Delivery for Connection Protection Feeder Service. - - - - - Delivery for Connection Protection Distributor i.e. Fetcher Service. - - - - - - - - - - Request for information about Connection Monitoring Service Capabilities. Answered with a ConnectionMontoringCapabilitiesResponse. - - - - - - Capabilities for Connection Monitoring Service. Answers a ConnectionMontoringCapabilitiesRequest. - - - - - Type for Delivery for Connection Monitoring Capability. - - - - - - - - - - - + + + + + + + + Distributor (fetcher) payload content. + + + + + An action to delay the Distributor (fetcher) until a specified time. + + + + + A Change to a stop position. + + + + + Deletion of previous connection. + + + + + + + Type for an SERVICE JOURNEY INTERCHANGE Activity. + + + + + + + Elements identifying of a Distributor SERVICE JOURNEY INTERCHANGE. + + + + + Information about the connecting Distributor (fetcher) VEHICLE JOURNEY. + + + + + Reference to a feeder VEHICLE JOURNEY or journeys for which the Distributor (fetcher) will wait . + + + + + + + + + Identifiers of Interchange Distributor Stop. + + + + + Reference to the SERVICE JOURNEY INTERCHANGE between two journeys for which data is being returned. + + + + + Reference to the CONNECTION link or ACCESS ZONE for which data is to be returned and at which SERVICE JOURNEY INTERCHANGE takes place. A reference associated with known feeder arrival and distributor departure STOP POINTs. + + + + + Reference to a STOP POINT within CONNECTION link from which distributor leaves. + Reference to a STOP POINT. + + + + + Order of visit to a stop within JOURNEY PATTERN of distributor VEHICLE JOURNEY. + + + + + For implementations for which Order is not used for VisitNumber, (i.e. if VisitNumberIsOrder is false) then Order can be used to associate the Order as well if useful for translation. + + + + + + + Type for Cancellation of a Distributor VEHICLE JOURNEY from a connection. + + + + + + + Reason for failure of connection. (Unbounded since SIRI 2.0) + + + + + + + + + + Type for Distributor prolonged wait action. + + + + + + + Estimated departure time from the connection. + + + + + + + + + + Type for Change to a Distributor stop position. + + + + + + + Description of the revised stopping position of the Distributor (fetcher) in the connection zone. (Unbounded since SIRI 2.0) + + + + + New location from which Distributor will leave. + + + + + + + + + + + + Type for Deliveries for Connection Monitoring Service. Used in WSDL. + + + + + + Delivery for Connection Protection Feeder Service. + + + + + Delivery for Connection Protection Distributor i.e. Fetcher Service. + + + + + + + + + + Request for information about Connection Monitoring Service Capabilities. Answered with a ConnectionMontoringCapabilitiesResponse. + + + + + + Capabilities for Connection Monitoring Service. Answers a ConnectionMontoringCapabilitiesRequest. + + + + + Type for Delivery for Connection Monitoring Capability. + + + + + + + + + + + Version number of response. Fixed - - - - - - - - Type for Connection Monitoring Capability Request Policy. - - - - - - - Whether results returns foreign journeys only. - - - - - - - - - Capabilities of Connection Monitoring Service. - - - - - Type for Connection Monitoring Capabilities. - - - - - - - Filtering Capabilities. - - - - - - Default preview horizon used. - - - - - - Whether results can be filtered by journey. - - - - - Whether results can be filtered by time Filter of Connection. Default is ' true'. - - - - - - - - Request Policy capabilities. - - - - - - - - Whether only foreign journeys are included. - - - - - - - - - - Subscription Policy capabilities. - - - - - Optional Access control capabilities. - - - - - - - - - - - Participants permissions to use the service. - - - - - - - - + + + + + + + + Type for Connection Monitoring Capability Request Policy. + + + + + + + Whether results returns foreign journeys only. + + + + + + + + + Capabilities of Connection Monitoring Service. + + + + + Type for Connection Monitoring Capabilities. + + + + + + + Filtering Capabilities. + + + + + + Default preview horizon used. + + + + + + Whether results can be filtered by journey. + + + + + Whether results can be filtered by time Filter of Connection. Default is ' true'. + + + + + + + + Request Policy capabilities. + + + + + + + + Whether only foreign journeys are included. + + + + + + + + + + Subscription Policy capabilities. + + + + + Optional Access control capabilities. + + + + + + + + + + + Participants permissions to use the service. + + + + + + + +
diff --git a/xsd/siri_connectionTimetable_service.xsd b/xsd/siri_connectionTimetable_service.xsd index d9c3d293..33d40f50 100644 --- a/xsd/siri_connectionTimetable_service.xsd +++ b/xsd/siri_connectionTimetable_service.xsd @@ -1,81 +1,82 @@ - - - - main schema - e-service developers - CEN TC278 WG3 SG7 Team - Dipl.-Ing. Sven Juergens psitrans juergens@psitrans.de - Gustav Thiessen BLIC thi@BLIC.DE - Europe - Drafted for version 1.0 CEN TC278 WG3 SG7 Editor Nicholas Knowles, Kizoom. mailto:schemer@siri.org.uk - - 2004-09-10 - - - 2004-10-01 - - - 2005-02-14 - - - 2005-02-20 - - - 2005-05-11 - - - 2007-04-17 - - - - 2008-11-17 - - - - 2011-01-19 - - - - 2012-03-23 - - - - 2012-04-18 - + + + 2008-11-17 + + + + 2011-01-19 + + + + 2012-03-23 + + + + 2012-04-18 + - - -

SIRI is a European CEN technical standard for the exchange of Public Transport real-time information.

-

This sub-schema describes the Connection Timetable Service, which provides timetables of planned connections at a connection point.

-
- - text/xml - http://www.w3.org/2001/XMLSchema - XML schema, W3C Recommendation 2001 - - {http://www.siri.org.uk/schema/siri/2.0/xsd/}siri_connectionTimetable_service.xsd - [ISO 639-2/B] ENG - Kizoom, 109-123 Clifton Street, London EC4A 4LD - - http://www.siri.org.uk/schema/2.0/xsd/siri/siri_requests.xsd - http://www.siri.org.uk/schema/2.0/xsd/siri_model/siri_journey.xsd - - - CEN, VDV, RTIG 2004-2021 + + +

SIRI is a European CEN technical standard for the exchange of Public Transport real-time information.

+

This sub-schema describes the Connection Timetable Service, which provides timetables of planned connections at a connection point.

+
+ + text/xml + http://www.w3.org/2001/XMLSchema + XML schema, W3C Recommendation 2001 + + {http://www.siri.org.uk/schema/siri/2.0/xsd/}siri_connectionTimetable_service.xsd + [ISO 639-2/B] ENG + Kizoom, 109-123 Clifton Street, London EC4A 4LD + + http://www.siri.org.uk/schema/2.0/xsd/siri/siri_requests.xsd + http://www.siri.org.uk/schema/2.0/xsd/siri_model/siri_journey.xsd + + + + CEN, VDV, RTIG 2004-2021 - -
    -
  • Derived from the VDV, RTIG XML and Trident standards.
  • -
- - Version 2.1 - - Arts, recreation and travel, Tourism, Travel (tourism), Transport, + +
    +
  • Derived from the VDV, RTIG XML and Trident standards.
  • +
+ + Version 2.1 + + Arts, recreation and travel, Tourism, Travel (tourism), Transport, Air transport, Airports, Ports and maritime transport, Ferries (marine), Public transport, Bus services, Coach services, Bus stops and stations, @@ -83,403 +84,403 @@ Rail transport, Railway stations and track, Train services, Underground trains, Business and industry, Transport, Air transport, Ports and maritime transport, Public transport, Rail transport, Roads and road transport - CEN TC278 WG3 SG7 - - -SIRI-CT schema. Service Interface for Real-time Information. Connection Timetable Service. - Standard -
-
- SIRI-CT Connection Timetable Service. -
- - - - - - - Convenience artifact to pick out main elements of the Connection Timetable Service. - - - - - - - - - - - - - - - - Request for information about timetabled connections at a stop. - - - - - Parameters that specify the content to be returned. - - - - - Earliest and latest time. If absent, default to the data horizon of the service. - - - - - CONNECTION link for which data is to be supplied. - - - - - Feeder LINE for which data is to be supplied. - - - - - Feeder DIRECTION for which data is to be supplied. - - - - - - - Type for Request for Connection Timetable Service. - - - - - - - - - - - Version number of request. Fixed + CEN TC278 WG3 SG7 + + -SIRI-CT schema. Service Interface for Real-time Information. Connection Timetable Service. + Standard + + + SIRI-CT Connection Timetable Service. + + + + + + + + Convenience artifact to pick out main elements of the Connection Timetable Service. + + + + + + + + + + + + + + + + Request for information about timetabled connections at a stop. + + + + + Parameters that specify the content to be returned. + + + + + Earliest and latest time. If absent, default to the data horizon of the service. + + + + + CONNECTION link for which data is to be supplied. + + + + + Feeder LINE for which data is to be supplied. + + + + + Feeder DIRECTION for which data is to be supplied. + + + + + + + Type for Request for Connection Timetable Service. + + + + + + + + + + + Version number of request. Fixed - - - - - - - - Parameters that affect the request processing. - - - - - Preferred languages in which to return text values. - - - - - - - - - Parameters that affect the subscription processing. - - - - - - Subscription Request for information about Timetabled connections at a stop. - - - - - Type for Subscription Request for Connection Protection. - - - - - - - - - - - - - - - Delivery for Connection Timetable Service. - - - - - Type for Delivery for Connection Protection. - - - - - - - - - - Version number of response. Fixed + + + + + + + + Parameters that affect the request processing. + + + + + Preferred languages in which to return text values. + + + + + + + + + Parameters that affect the subscription processing. + + + + + + Subscription Request for information about Timetabled connections at a stop. + + + + + Type for Subscription Request for Connection Protection. + + + + + + + + + + + + + + + Delivery for Connection Timetable Service. + + + + + Type for Delivery for Connection Protection. + + + + + + + + + + Version number of response. Fixed - - - - - - - - Feeder delivery payload content. - - - - - - - - - - Fedder/Fetcher SERVICE JOURNEY INTERCHANGE Activity. - - - - - Type for an SERVICE JOURNEY INTERCHANGE feeder Activity. - - - - - - - Time until when data is valid. (since SIRI 2.0) - - - - - - - - - - Elements identifying CALL at CONNECTION link of SERVICE JORUNEY INTERCHANGE of Feeder Journey . - - - - - Reference to the the SERVICE JOURNEY INTERCHANGE between two journeys for which data is being returned. - - - - - Reference to the CONNECTION link or ACCESS ZONE for which data is to be returned. i.e. associated with known feeder arrival and distributor departure STOP POINTs. - - - - - - - - - A feeder arrival at the arrival SCHEDUELD STOP POINT of the CONNECTION link . - - - - - Type for incoming visit by feeder journey to SERVICE JOURNEY NTERCHANGE - - - - - - - Information about the feeder journey. - - - - - Planned arrival time at the connection point. - - - - - - - - - - Cancellation of a previously issued Feeder Arrival. - - - - - Type for Timetabled Deletion of a feeder connection. - - - - - - - - Reference to a LINE. - - - - - Reference to a DIRECTION, typically outward or return. - - - - - Reference to a VEHICLE JOURNEY. - - - - - - Reason for deletion. (Unbounded since SIRI 2.0) - - - - - - - - - - - - Type for Deliveries for Connection Timetable Service. Used in WSDl. - - - - - - - - - - Request for information about Connection Timetable Service Capabilities. Answered with a ConnectionTimetableCapabilitiesResponse. - - - - - Capabilities for Connection Timetable Service. Answers a ConnectionTimetableCapabilitiesRequest. - - - - - - Type for Delivery for Connection TimetableService. - - - - - - - - Participant's permissions to use the service, Only returned if requested. - - - - - - - - Permission for a single participant or all participants to use an aspect of the service. - - - - - - - - - - - - + + + + + + + + Feeder delivery payload content. + + + + + + + + + + Fedder/Fetcher SERVICE JOURNEY INTERCHANGE Activity. + + + + + Type for an SERVICE JOURNEY INTERCHANGE feeder Activity. + + + + + + + Time until when data is valid. (since SIRI 2.0) + + + + + + + + + + Elements identifying CALL at CONNECTION link of SERVICE JORUNEY INTERCHANGE of Feeder Journey . + + + + + Reference to the the SERVICE JOURNEY INTERCHANGE between two journeys for which data is being returned. + + + + + Reference to the CONNECTION link or ACCESS ZONE for which data is to be returned. i.e. associated with known feeder arrival and distributor departure STOP POINTs. + + + + + + + + + A feeder arrival at the arrival SCHEDUELD STOP POINT of the CONNECTION link . + + + + + Type for incoming visit by feeder journey to SERVICE JOURNEY NTERCHANGE + + + + + + + Information about the feeder journey. + + + + + Planned arrival time at the connection point. + + + + + + + + + + Cancellation of a previously issued Feeder Arrival. + + + + + Type for Timetabled Deletion of a feeder connection. + + + + + + + + Reference to a LINE. + + + + + Reference to a DIRECTION, typically outward or return. + + + + + Reference to a VEHICLE JOURNEY. + + + + + + Reason for deletion. (Unbounded since SIRI 2.0) + + + + + + + + + + + + Type for Deliveries for Connection Timetable Service. Used in WSDl. + + + + + + + + + + Request for information about Connection Timetable Service Capabilities. Answered with a ConnectionTimetableCapabilitiesResponse. + + + + + Capabilities for Connection Timetable Service. Answers a ConnectionTimetableCapabilitiesRequest. + + + + + + Type for Delivery for Connection TimetableService. + + + + + + + + Participant's permissions to use the service, Only returned if requested. + + + + + + + + Permission for a single participant or all participants to use an aspect of the service. + + + + + + + + + + + + Version number of response. Fixed - - - - - - - - Type for capability request. - - - - - - - Whether results returns foreign journeys only. - - - - - - - - - Capabilities of Connection Timetable Service. - - - - - Type for Connection Timetable Capabilities. - - - - - - - Filtering Capabilities. - - - - - - - Whether results can be filtered by Connection link. Default is ' true'. - - - - - - - - Request Policy capabilities. - - - - - - - - Whether service returns only foreign journeys. Default is 'false'. - - - - - - - - - - Subscription Policy capabilities. - - - - - Optional Access control capabilities. - - - - - - - - + + + + + + + + Type for capability request. + + + + + + + Whether results returns foreign journeys only. + + + + + + + + + Capabilities of Connection Timetable Service. + + + + + Type for Connection Timetable Capabilities. + + + + + + + Filtering Capabilities. + + + + + + + Whether results can be filtered by Connection link. Default is ' true'. + + + + + + + + Request Policy capabilities. + + + + + + + + Whether service returns only foreign journeys. Default is 'false'. + + + + + + + + + + Subscription Policy capabilities. + + + + + Optional Access control capabilities. + + + + + + + +
diff --git a/xsd/siri_discovery.xsd b/xsd/siri_discovery.xsd index a7f83107..7edb2a72 100644 --- a/xsd/siri_discovery.xsd +++ b/xsd/siri_discovery.xsd @@ -1,94 +1,95 @@ - - - - main schema - e-service developers - CEN TC278 WG3 SG7 Team - Europe - Drafted for version 1.0 CEN TC278 WG3 SG7 Editor Nicholas Knowles, Kizoom. mailto:schemer@siri.org.uk - - 2004-09-29 - - - 2005-02-14 - - - 2005-02-20 - - - 2005-05-04 - - - 2005-11-25 - - - 2007-04-17 - - - - 2008-11-13 - + + + 2008-11-13 + - - - 2008-11-17 - - - - 2012-03-23 - - - - 2012-05-17 - - - - 2013-03-28 - - - -

SIRI is a European CEN technical standard for the exchange of real-time information.

-

This subschema describes discovery services used by different SIRI functional services + + +

SIRI is a European CEN technical standard for the exchange of real-time information.

+

This subschema describes discovery services used by different SIRI functional services

  • STOP POINTs Discovery
  • LINEs Discovery Discovery
  • Service Feature discovery
  • TYPE OF PRODUCT CATEGORY Discovery
  • Vehicle Feature Discovery
  • Info Channels for SIRI General Message Service

-
- - text/xml - http://www.w3.org/2001/XMLSchema - XML schema, W3C Recommendation 2001 - - {http://www.siri.org.uk/schema/2.0/xsd/}siri_discovery.xsd - [ISO 639-2/B] ENG - Kizoom, 109-123 Clifton Street, London EC4A 4LD - - http://www.siri.org.uk/schema/2.0/xsd/siri/siri_requests.xsd - http://www.siri.org.uk/schema/2.0/xsd/siri_utility/siri_reference.xsd - - - CEN, VDV, RTIG 2004-2021 + + + text/xml + http://www.w3.org/2001/XMLSchema + XML schema, W3C Recommendation 2001 + + {http://www.siri.org.uk/schema/2.0/xsd/}siri_discovery.xsd + [ISO 639-2/B] ENG + Kizoom, 109-123 Clifton Street, London EC4A 4LD + + http://www.siri.org.uk/schema/2.0/xsd/siri/siri_requests.xsd + http://www.siri.org.uk/schema/2.0/xsd/siri_utility/siri_reference.xsd + + + + CEN, VDV, RTIG 2004-2021 - -
    -
  • Discovery services Derived from the NaPTAN standard .
  • -
- - Version 2.1 - - Arts, recreation and travel, Tourism, Travel (tourism), Transport, + +
    +
  • Discovery services Derived from the NaPTAN standard .
  • +
+ + Version 2.1 + + Arts, recreation and travel, Tourism, Travel (tourism), Transport, Air transport, Airports, Ports and maritime transport, Ferries (marine), Public transport, Bus services, Coach services, Bus stops and stations, @@ -96,803 +97,803 @@ Rail transport, Railway stations and track, Train services, Underground trains, Business and industry, Transport, Air transport, Ports and maritime transport, Public transport, Rail transport, Roads and road transport - CEN TC278 WG3 SG7 - - SIRI_DS XML schema. Service Interface for Real-time Information. Discovery subschema. - Standard -
-
- SIRI DIscovery Services for SCHEDULED STOP POINTs, LINEs,OPERATORs, FACILITies and feature TYPE OF VALUE codes. -
- - - - - - - - - - - - Convenience artifact to pick out main elements of the Estimated Timetable Service. - - - - - - - - - Requests for reference data for use in service requests. - - - - - - - - - - - - - - - - - - Responses with reference data for use in service requests. - - - - - - - - - - - - - - - - - Requests a list of the STOP POINTs and places covered by a Producer. - - - - - - - - - - Requests for stop reference data for use in service requests. - - - - - - - Parameters that specify the content to be returned. ((since SIRI 2.0)) - - - - - Parameters that affect the request processing. Mostly act to reduce the number of stops returned. ((since SIRI 2.0)) - - - - - - - Version number of request. Fixed + CEN TC278 WG3 SG7 + + SIRI_DS XML schema. Service Interface for Real-time Information. Discovery subschema. + Standard + + + SIRI DIscovery Services for SCHEDULED STOP POINTs, LINEs,OPERATORs, FACILITies and feature TYPE OF VALUE codes. + + + + + + + + + + + + + Convenience artifact to pick out main elements of the Estimated Timetable Service. + + + + + + + + + Requests for reference data for use in service requests. + + + + + + + + + + + + + + + + + + Responses with reference data for use in service requests. + + + + + + + + + + + + + + + + + Requests a list of the STOP POINTs and places covered by a Producer. + + + + + + + + + + Requests for stop reference data for use in service requests. + + + + + + + Parameters that specify the content to be returned. ((since SIRI 2.0)) + + + + + Parameters that affect the request processing. Mostly act to reduce the number of stops returned. ((since SIRI 2.0)) + + + + + + + Version number of request. Fixed - - - - - - - - Parameters that specify the STOP POINTs to be returned. (since SIRI 2.0) - - - - - - Rectangle containing stops be returned. ((since SIRI 2.0)) - - - - - Circle containing stops be returned. Point indicates centre, precision indicates radius ((since SIRI 2.0)) - - - - - Filter the results to include only stops associated with the PLACE . ((since SIRI 2.0)) - - - - - - Filter the results to include only stops run by the specified OPERATOR. ((since SIRI 2.0)) - - - - - Filter the results to include only stops for the given LINE. ((since SIRI 2.0)) - - - - - - - Parameters that affect the request processing. Mostly act to reduce the number of stops returned. (since SIRI 2.0) - - - - - Preferred languages in which to return text values. (since SIRI 2.0) - - - - - Level of detail to include in response. Default is 'normal'. (since SIRI 2.0) - - - - - - - Detail Levels for Stop Points Discovery Request. (since SIRI 2.0) - - - - - Return only the name and identifier of the stop. - - - - - Return name, dientifier and coordinates of the stop. - - - - - Return all available data for each stop. - - - - - - - - Returns basic details about the STOP POINTs/places covered by a service. Answers a StopPointsRequest. - - - - - Response with STOP POINTs available to make requests. - - - - - - - - - - Version number of response. Fixed + + + + + + + + Parameters that specify the STOP POINTs to be returned. (since SIRI 2.0) + + + + + + Rectangle containing stops be returned. ((since SIRI 2.0)) + + + + + Circle containing stops be returned. Point indicates centre, precision indicates radius ((since SIRI 2.0)) + + + + + Filter the results to include only stops associated with the PLACE . ((since SIRI 2.0)) + + + + + + Filter the results to include only stops run by the specified OPERATOR. ((since SIRI 2.0)) + + + + + Filter the results to include only stops for the given LINE. ((since SIRI 2.0)) + + + + + + + Parameters that affect the request processing. Mostly act to reduce the number of stops returned. (since SIRI 2.0) + + + + + Preferred languages in which to return text values. (since SIRI 2.0) + + + + + Level of detail to include in response. Default is 'normal'. (since SIRI 2.0) + + + + + + + Detail Levels for Stop Points Discovery Request. (since SIRI 2.0) + + + + + Return only the name and identifier of the stop. + + + + + Return name, dientifier and coordinates of the stop. + + + + + Return all available data for each stop. + + + + + + + + Returns basic details about the STOP POINTs/places covered by a service. Answers a StopPointsRequest. + + + + + Response with STOP POINTs available to make requests. + + + + + + + + + + Version number of response. Fixed - - - - - - - - - - Requests a list of the LINEs covered by a Producer. - - - - - Requests for LINE data for use in service requests. - - - - - - - - - - - Version number of request. Fixed + + + + + + + + + + Requests a list of the LINEs covered by a Producer. + + + + + Requests for LINE data for use in service requests. + + + + + + + + + + + Version number of request. Fixed - - - - - - - - Parameters that specify the LINEs to be returned. (since SIRI 2.0) - - - - - - - Rectangle containing stops of lines be returned. ((since SIRI 2.0)) - - - - - Circle containing stops for lines be returned. Point indicates centre, precision indicates radius ((since SIRI 2.0)) - - - - - Filter the results to include only lines for stops assoicated with the place . ((since SIRI 2.0)) - - - - - - Reference to line for which details are to be returned (v2.0) - - - - - - Filter the results to include only Stop d run by the specified OPERATOR. ((since SIRI 2.0)) - - - - - - - Parameters that affect the request processing. Mostly act to reduce the number of Linesreturned. (since SIRI 2.0) - - - - - Preferred languages in which to return text values. (since SIRI 2.0) - - - - - Level of detail to include in response. Default is 'normal'. (since SIRI 2.0) - - - - - - - Detail Levels for Lines Discovery Request. (since SIRI 2.0) - - - - - Return only the name and identifier of the stop. - - - - - Return name, dientifier and coordinates of the stop. - - - - - - Return all available data for each stop. - - - - - - - - Returns the LINEs covered by a web service. Answers a LINEsRequest. - - - - - Response with LINEs available to make requests. - - - - - - - - - - Version number of response. Fixed. - - - - - - - - - - Requests a list of the Product Categories covered by a Producer. - - - - - Requests for TYPE OF PRODUCT CATEGORY reference data for use in service requests. - - - - - - - - - - Version number of request. Fixed + + + + + + + + Parameters that specify the LINEs to be returned. (since SIRI 2.0) + + + + + + + Rectangle containing stops of lines be returned. ((since SIRI 2.0)) + + + + + Circle containing stops for lines be returned. Point indicates centre, precision indicates radius ((since SIRI 2.0)) + + + + + Filter the results to include only lines for stops assoicated with the place . ((since SIRI 2.0)) + + + + + + Reference to line for which details are to be returned (v2.0) + + + + + + Filter the results to include only Stop d run by the specified OPERATOR. ((since SIRI 2.0)) + + + + + + + Parameters that affect the request processing. Mostly act to reduce the number of Linesreturned. (since SIRI 2.0) + + + + + Preferred languages in which to return text values. (since SIRI 2.0) + + + + + Level of detail to include in response. Default is 'normal'. (since SIRI 2.0) + + + + + + + Detail Levels for Lines Discovery Request. (since SIRI 2.0) + + + + + Return only the name and identifier of the stop. + + + + + Return name, dientifier and coordinates of the stop. + + + + + + Return all available data for each stop. + + + + + + + + Returns the LINEs covered by a web service. Answers a LINEsRequest. + + + + + Response with LINEs available to make requests. + + + + + + + + + + Version number of response. Fixed. + + + + + + + + + + Requests a list of the Product Categories covered by a Producer. + + + + + Requests for TYPE OF PRODUCT CATEGORY reference data for use in service requests. + + + + + + + + + + Version number of request. Fixed - - - - - - - - Parameters that affect the request processing. Mostly act to reduce the number of Facilities returned. (since SIRI 2.0) - - - - - Preferred languages in which to return text values. (since SIRI 2.0) - - - - - - - - Returns the Product Categories covered by a service. Answers a ProductCategoriesRequest. - - - - - Type for Response with Product Categories available to make requests. - - - - - - - - - - Version number of response. Fixed. - - - - - - - - - - Requests a list of the Vehicle Features covered by a Producer. - - - - - Requests for VEHICLE feature data for use in service requests. - - - - - - - - - - Version number of request. Fixed + + + + + + + + Parameters that affect the request processing. Mostly act to reduce the number of Facilities returned. (since SIRI 2.0) + + + + + Preferred languages in which to return text values. (since SIRI 2.0) + + + + + + + + Returns the Product Categories covered by a service. Answers a ProductCategoriesRequest. + + + + + Type for Response with Product Categories available to make requests. + + + + + + + + + + Version number of response. Fixed. + + + + + + + + + + Requests a list of the Vehicle Features covered by a Producer. + + + + + Requests for VEHICLE feature data for use in service requests. + + + + + + + + + + Version number of request. Fixed - - - - - - - - Parameters that affect the request processing. Mostly act to reduce the number of Facilities returned. (since SIRI 2.0) - - - - - Preferred languages in which to return text values. (since SIRI 2.0) - - - - - - - - Returns the Vehicle Features covered by a service. Answers a VehicleFeaturesRequest. - - - - - Type for Response with Vehicle Features available to make requests. - - - - - - - - - - Version number of response. Fixed. - - - - - - - - - - Requests a list of the Info Channels covered by a Producer. - - - - - Requests for info channels for use in service requests. - - - - - - - - - Version number of request. Fixed + + + + + + + + Parameters that affect the request processing. Mostly act to reduce the number of Facilities returned. (since SIRI 2.0) + + + + + Preferred languages in which to return text values. (since SIRI 2.0) + + + + + + + + Returns the Vehicle Features covered by a service. Answers a VehicleFeaturesRequest. + + + + + Type for Response with Vehicle Features available to make requests. + + + + + + + + + + Version number of response. Fixed. + + + + + + + + + + Requests a list of the Info Channels covered by a Producer. + + + + + Requests for info channels for use in service requests. + + + + + + + + + Version number of request. Fixed - - - - - - - - - Returns the Info Channels covered by a service. Answers a InfoChannelRequest. - - - - - Type for Response with Info channels categories available to make requests. - - - - - - - - - - Version number of response. Fixed. - - - - - - - - - - Requests a list of the Facilities covered by a Producer. - - - - - Requests for info channels for use in service requests. - - - - - - - - - - - Version number of request. Fixed + + + + + + + + + Returns the Info Channels covered by a service. Answers a InfoChannelRequest. + + + + + Type for Response with Info channels categories available to make requests. + + + + + + + + + + Version number of response. Fixed. + + + + + + + + + + Requests a list of the Facilities covered by a Producer. + + + + + Requests for info channels for use in service requests. + + + + + + + + + + + Version number of request. Fixed - - - - - - - - Parameters that specify the Facilities to be returned. (since SIRI 2.0) - - - - - - Rectangle containing Facilities be returned. ((since SIRI 2.0)) - - - - - Filter the results to include only Facilities associated with the TOPOGRAPHIC PLACE . ((since SIRI 2.0)) - - - - - - Filter the results to include only Facilities run by the specified OPERATOR. ((since SIRI 2.0)) - - - - - Filter the results to include only Facilities for the given LINE. ((since SIRI 2.0)) - - - - - - - Parameters that affect the request processing. Mostly act to reduce the number of Facilities returned. (since SIRI 2.0) - - - - - Preferred languages in which to return text values. (since SIRI 2.0) - - - - - Level of detail to include in response. Default is 'normal'. (since SIRI 2.0) - - - - - - - Detail Levels for Facility Points Request. (since SIRI 2.0) - - - - - Return only the name and identifier of the Facility. - - - - - Return name, identifier and coordinates of the Facility. - - - - - Return all available data for each Facility. - - - - - - - - Returns the Facilities covered by a service. Answers a StopPointsRequest. - - - - - Response with Facilities available to make requests. - - - - - - - Facility Definition. - - - - - - - Version number of response. Fixed. - - - - - - - - - - - Requests a list of the Service Features covered by a Producer. - - - - - - - - - - Type for equests for TYPE OF PRODUCT CATEGORY reference data for use in service requests. - - - - - - - - - Version number of request. Fixed + + + + + + + + Parameters that specify the Facilities to be returned. (since SIRI 2.0) + + + + + + Rectangle containing Facilities be returned. ((since SIRI 2.0)) + + + + + Filter the results to include only Facilities associated with the TOPOGRAPHIC PLACE . ((since SIRI 2.0)) + + + + + + Filter the results to include only Facilities run by the specified OPERATOR. ((since SIRI 2.0)) + + + + + Filter the results to include only Facilities for the given LINE. ((since SIRI 2.0)) + + + + + + + Parameters that affect the request processing. Mostly act to reduce the number of Facilities returned. (since SIRI 2.0) + + + + + Preferred languages in which to return text values. (since SIRI 2.0) + + + + + Level of detail to include in response. Default is 'normal'. (since SIRI 2.0) + + + + + + + Detail Levels for Facility Points Request. (since SIRI 2.0) + + + + + Return only the name and identifier of the Facility. + + + + + Return name, identifier and coordinates of the Facility. + + + + + Return all available data for each Facility. + + + + + + + + Returns the Facilities covered by a service. Answers a StopPointsRequest. + + + + + Response with Facilities available to make requests. + + + + + + + Facility Definition. + + + + + + + Version number of response. Fixed. + + + + + + + + + + + Requests a list of the Service Features covered by a Producer. + + + + + + + + + + Type for equests for TYPE OF PRODUCT CATEGORY reference data for use in service requests. + + + + + + + + + Version number of request. Fixed - - - - - - - - - Returns the SERVICE FEATUREs covered by a service. Answers a ServiceFeaturesRequest. - - - - - Type for Response with SERVICE FEATUREs available to make requests. - - - - - - - - - Version number of response. Fixed. - - - - - - - - - - Requests a list of the CONNECTION LINKs covered by a Producer. (since SIRI 2.0) - - - - - Requests for CONNECTION LINK data for use in service requests. (since SIRI 2.0) - - - - - - - - - - - Version number of request. Fixed - - - - - - - - Parameters that specify the CONNECTION LINKs to be returned. (since SIRI 2.0) - - - - - - - Rectangle containing stops of ConnectionLinks be returned. - - - - - Circle containing stops for ConnectionLinks be returned. Point indicates centre, precision indicates radius - - - - - Filter the results to include only ConnectionLinks for stops assoicated with the place . - - - - - - - Filter the results to include only ConnectionLinks for stops assoicated with the specified line. - - - - - Filter the results to include only Stop d run by the specified OPERATOR. - - - - - - - Parameters that affect the request processing. Mostly act to reduce the number of ConnectionLinks returned. (since SIRI 2.0) - - - - - Preferred languages in which to return text values. (since SIRI 2.0) - - - - - Level of detail to include in response. Default is 'normal'. (since SIRI 2.0) - - - - - - - Detail Levels for CONNECTION LINKs Discovery Request. (since SIRI 2.0) - - - - - Return only the name and identifier of the connection link. - - - - - Return name, identifier of the connection link and connected stops's identifiers. - - - - - Return all available data for each connection link. - - - - - - - - Returns the CONNECTION LINKs covered by a web service. Answers a LINEsRequest. (since SIRI 2.0) - - - - - Response with CONNECTION LINKs available to make requests. +SIR v2.0 - - - - - - - - - - Version number of response. Fixed. - - - - - + + + + + + + + + Returns the SERVICE FEATUREs covered by a service. Answers a ServiceFeaturesRequest. + + + + + Type for Response with SERVICE FEATUREs available to make requests. + + + + + + + + + Version number of response. Fixed. + + + + + + + + + + Requests a list of the CONNECTION LINKs covered by a Producer. (since SIRI 2.0) + + + + + Requests for CONNECTION LINK data for use in service requests. (since SIRI 2.0) + + + + + + + + + + + Version number of request. Fixed + + + + + + + + Parameters that specify the CONNECTION LINKs to be returned. (since SIRI 2.0) + + + + + + + Rectangle containing stops of ConnectionLinks be returned. + + + + + Circle containing stops for ConnectionLinks be returned. Point indicates centre, precision indicates radius + + + + + Filter the results to include only ConnectionLinks for stops assoicated with the place . + + + + + + + Filter the results to include only ConnectionLinks for stops assoicated with the specified line. + + + + + Filter the results to include only Stop d run by the specified OPERATOR. + + + + + + + Parameters that affect the request processing. Mostly act to reduce the number of ConnectionLinks returned. (since SIRI 2.0) + + + + + Preferred languages in which to return text values. (since SIRI 2.0) + + + + + Level of detail to include in response. Default is 'normal'. (since SIRI 2.0) + + + + + + + Detail Levels for CONNECTION LINKs Discovery Request. (since SIRI 2.0) + + + + + Return only the name and identifier of the connection link. + + + + + Return name, identifier of the connection link and connected stops's identifiers. + + + + + Return all available data for each connection link. + + + + + + + + Returns the CONNECTION LINKs covered by a web service. Answers a LINEsRequest. (since SIRI 2.0) + + + + + Response with CONNECTION LINKs available to make requests. +SIR v2.0 + + + + + + + + + + Version number of response. Fixed. + + + + +
diff --git a/xsd/siri_estimatedTimetable_service.xsd b/xsd/siri_estimatedTimetable_service.xsd index 873dcb08..adeecd66 100644 --- a/xsd/siri_estimatedTimetable_service.xsd +++ b/xsd/siri_estimatedTimetable_service.xsd @@ -1,76 +1,77 @@ - - - - main schema - e-service developers - CEN TC278 WG3 SG7 Team - Werner Kohl MDV - Europe - Drafted for version 1.0 CEN TC278 WG3 SG7 Editor Nicholas Knowles, Kizoom. mailto:schemer@siri.org.uk - - 2003-02-10 - - - 2004-10-31 - - - 2005-02-14 - - - 2005-02-20 - - - 2005-05-11 - - 2007-04-17 + + + + main schema + e-service developers + CEN TC278 WG3 SG7 Team + Werner Kohl MDV + Europe + Drafted for version 1.0 CEN TC278 WG3 SG7 Editor Nicholas Knowles, Kizoom. mailto:schemer@siri.org.uk + + 2003-02-10 + + + 2004-10-31 + + + 2005-02-14 + + + 2005-02-20 + + + 2005-05-11 + + 2007-04-17 Name Space changes - 2008-03-26 + 2008-03-26 Add wrapper tag for Line DIRECTION to help binding to Axis - 2008-11-17 + 2008-11-17 Revise to support substitution groups - 2011-01-19 + 2011-01-19 Drop use of As Flat Groups for EstimatedCalls - 2012-03-23 + 2012-03-23 (since SIRI 2.0) - Add EstimatedServiceJourneyInterchange (i.e. Estimated Connection of VEHICLE) to EstimatedTimetableDelivery - [FR] Add Extensions tag to EstimatedTimetableSubscriptionRequest - [DE] Add ExpectedDeparturePredictionQuality to OnwardVehicleDepartureTimes [DE] Correct capabilites matrix to matx doc. Add defauklt preview intervakl and versionref - -

SIRI is a European CEN standard for the exchange of Public Transport real-time information.

-

This sub-schema describes the Estimated Timetable Service.

-
- - text/xml - http://www.w3.org/2001/XMLSchema - XML schema, W3C Recommendation 2001 - - {http://www.siri.org.uk/schema/2.0/xsd/}siri_estimatedTimetable_service.xsd - [ISO 639-2/B] ENG - Kizoom, 109-123 Clifton Street, London EC4A 4LD - - http://www.siri.org.uk/schema/2.0/xsd/siri/siri_requests.xsd - http://www.siri.org.uk/schema/2.0/xsd/siri_model/siri_estimatedVehicleJourney.xsd - http://www.siri.org.uk/schema/2.0/xsd/siri_model/siri_modelPermissions.xsd - - - CEN, VDV, RTIG 2004-2021 + +

SIRI is a European CEN standard for the exchange of Public Transport real-time information.

+

This sub-schema describes the Estimated Timetable Service.

+
+ + text/xml + http://www.w3.org/2001/XMLSchema + XML schema, W3C Recommendation 2001 + + {http://www.siri.org.uk/schema/2.0/xsd/}siri_estimatedTimetable_service.xsd + [ISO 639-2/B] ENG + Kizoom, 109-123 Clifton Street, London EC4A 4LD + + http://www.siri.org.uk/schema/2.0/xsd/siri/siri_requests.xsd + http://www.siri.org.uk/schema/2.0/xsd/siri_model/siri_estimatedVehicleJourney.xsd + http://www.siri.org.uk/schema/2.0/xsd/siri_model/siri_modelPermissions.xsd + + + + CEN, VDV, RTIG 2004-2021 - -
    -
  • Derived from the VDV, RTIG XML and Trident standards.
  • -
- - Version 2.1 - - Arts, recreation and travel, Tourism, Travel (tourism), Transport, + +
    +
  • Derived from the VDV, RTIG XML and Trident standards.
  • +
+ + Version 2.1 + + Arts, recreation and travel, Tourism, Travel (tourism), Transport, Air transport, Airports, Ports and maritime transport, Ferries (marine), Public transport, Bus services, Coach services, Bus stops and stations, @@ -78,413 +79,413 @@ Rail transport, Railway stations and track, Train services, Underground trains, Business and industry, Transport, Air transport, Ports and maritime transport, Public transport, Rail transport, Roads and road transport - CEN TC278 WG3 SG7 - - SIRI-ET XML schema. Service Interface for Real-time Information. Estimated Timetable Service. - Standard -
-
- SIRI-ET Estimated Timetable Service. -
- - - - - - - - Convenience artifact to pick out main elements of the Estimated Timetable Service. - - - - - - - - - - - - - - - - - Request for information about the estimated timetable. - - - - - Type for Type for Functional Service Request for Estimated Timetable. - - - - - - - - - - - Version number of request. Fixed + CEN TC278 WG3 SG7 + + SIRI-ET XML schema. Service Interface for Real-time Information. Estimated Timetable Service. + Standard +
+
+ SIRI-ET Estimated Timetable Service. +
+ + + + + + + + Convenience artifact to pick out main elements of the Estimated Timetable Service. + + + + + + + + + + + + + + + + + Request for information about the estimated timetable. + + + + + Type for Type for Functional Service Request for Estimated Timetable. + + + + + + + + + + + Version number of request. Fixed - - - - - - - - Parameters that specify the content to be returned. - - - - - Forward duration for which journeys should be included. For subscriptions, this duration is a continuously rolling window from the present time. For immediate requests, this duration is measured from the time of the request. - - - - - Communicate only differences to the timetable specified by this version of the timetable. - - - - - Filter the results to include journeys for only the specified OPERATORs. - - - - - Filter the results to include only VEHICLEs along the given LINEs. - - - - - - Include only vehicles along the given LINE. - - - - - - - - Filter the results to include only journeys of the specified VEHICLE MODE. (since SIRI 2.1) - - - - - Filter the results to include only journeys of the specified TYPE OF PRODUCT CATEGORY. (since SIRI 2.1) - - - - - Filter the results to include only journeys with a CALL at the specified STOP POINT. (since SIRI 2.1) - - - - - - - Parameters that affect the request processing. Mostly act to reduce the number of messages exchanged. - - - - - Preferred languages in which to return text values. - - - - - - - - - Level of detail to include in response. Default is 'normal'. (SIRI 2.0) - - - - - - - Detail Levels for Estimated Timetable Request. - - - - - Return only the minimum amount of optional data for each Stop Visit to provide a display, A time at stop, LINE name and destination name. - - - - - Return minimum and other available basic details for each Stop Visit. Do not include data on times at next stop or destination. - - - - - Return all basic data, and also origin VIA points and destination. - - - - - Return in addition to normal data, the estimated call data i . - - - - - Return all available data for each including calls. - - - - - - - - Request for a subscription to the Estimated Timetable Service. - - - - - Parameters that affect the subscription publishing and notification processing. - - - - - Whether the producer should return the complete set of data, or only provide updates to the previously returned data i.e. changes to the expected deviation (delay or early time). Default is 'true'. If true only changes at the first stop will be returned and the client must interpolate the + + + + + + + + Parameters that specify the content to be returned. + + + + + Forward duration for which journeys should be included. For subscriptions, this duration is a continuously rolling window from the present time. For immediate requests, this duration is measured from the time of the request. + + + + + Communicate only differences to the timetable specified by this version of the timetable. + + + + + Filter the results to include journeys for only the specified OPERATORs. + + + + + Filter the results to include only VEHICLEs along the given LINEs. + + + + + + Include only vehicles along the given LINE. + + + + + + + + Filter the results to include only journeys of the specified VEHICLE MODE. (since SIRI 2.1) + + + + + Filter the results to include only journeys of the specified TYPE OF PRODUCT CATEGORY. (since SIRI 2.1) + + + + + Filter the results to include only journeys with a CALL at the specified STOP POINT. (since SIRI 2.1) + + + + + + + Parameters that affect the request processing. Mostly act to reduce the number of messages exchanged. + + + + + Preferred languages in which to return text values. + + + + + + + + + Level of detail to include in response. Default is 'normal'. (SIRI 2.0) + + + + + + + Detail Levels for Estimated Timetable Request. + + + + + Return only the minimum amount of optional data for each Stop Visit to provide a display, A time at stop, LINE name and destination name. + + + + + Return minimum and other available basic details for each Stop Visit. Do not include data on times at next stop or destination. + + + + + Return all basic data, and also origin VIA points and destination. + + + + + Return in addition to normal data, the estimated call data i . + + + + + Return all available data for each including calls. + + + + + + + + Request for a subscription to the Estimated Timetable Service. + + + + + Parameters that affect the subscription publishing and notification processing. + + + + + Whether the producer should return the complete set of data, or only provide updates to the previously returned data i.e. changes to the expected deviation (delay or early time). Default is 'true'. If true only changes at the first stop will be returned and the client must interpolate the If false each subscription response will contain the full information as specified in this request (+(since SIRI 2.0)). - - - - - The amount of change to the arrival or departure time that can happen before an update is sent (i.e. if ChangeBeforeUpdate is set to 2 minutes, the subscriber will not be told that a timetable is changed by 30 seconds - an update will only be sent when the timetable is changed by at least least 2 minutes. (OPtional from SIRI 2.0) - - - - - Indicates whether actual arrival-/departure times should be delivered as incremental updates, i.e. whether RECORDED CALL updates are transmitted immediately after an event occurs. (since SIRI 2.1) + + + + + The amount of change to the arrival or departure time that can happen before an update is sent (i.e. if ChangeBeforeUpdate is set to 2 minutes, the subscriber will not be told that a timetable is changed by 30 seconds - an update will only be sent when the timetable is changed by at least least 2 minutes. (OPtional from SIRI 2.0) + + + + + Indicates whether actual arrival-/departure times should be delivered as incremental updates, i.e. whether RECORDED CALL updates are transmitted immediately after an event occurs. (since SIRI 2.1) - 'false': Specifies that the data producer should transmit RECORDED CALL data, in particular actual arrival-/departure information as an incremental update immediately after an event occurs (with hysteresis taken into account) as is generally the case. The server will automatically proceed with 'false' if capability is not supported. - 'true': Can be requested if the data traffic is to be reduced and an immediate transmissions is not required in any of the consumer systems. 'true' specifies that the data producer should skip RECORDED CALL updates (if capability is supported after all), i.e., deliver them with the next update instead. - No specification: Default value 'false' applies (don't skip updates of recorded data). - - - - - Indicates whether ONLY actual arrival-/departure times should be delivered. In other words, whether all updates related to ESTIMATED CALL should be skipped. (since SIRI 2.1) + + + + + Indicates whether ONLY actual arrival-/departure times should be delivered. In other words, whether all updates related to ESTIMATED CALL should be skipped. (since SIRI 2.1) - 'false': Specifies that the data producer should transmit ESTIMATED and RECORDED CALL data as an incremental update immediately after an event occurs (with hysteresis taken into account) as is generally the case. The server will automatically proceed with 'false' if capability is not supported. - 'true': Can be requested if a consumer system is only interested in the actual times / recorded events because it only wants to check the performance for example. 'true' specifies that the data producer should only deliver RECORDED CALL udpates and skip ESTIMATED CALL updates (if capability is supported after all), i.e., deliver ESTIMATED CALL updates only with the next RECORDED CALL update. - No specification: Default value 'false' applies (don't skip updates of estimated data). - - - - - - - Subscription Request for the Estimated Timetable Service. - - - - - - - - - - - - - - - - - - Delivery for Estimated Timetable Service. - - - - - Type for Delivery for Real-time Timetable Service. - - - - - - - - - Version number of response. Fixed + + + + + + + Subscription Request for the Estimated Timetable Service. + + + + + + + + + + + + + + + + + + Delivery for Estimated Timetable Service. + + + + + Type for Delivery for Real-time Timetable Service. + + + + + + + + + Version number of response. Fixed - - - - - - - - Type for version frame structure. - - - - - - - - - Connection parameters for a monitored SERVICE JOURNEY INTERCHANGE between a feeder and distributor journey. SIRI 2.0 - - - - - - - - - Payload part of Estimated Timetable Delivery. - - - - - Estimated Journeys of a common TIMETABLE VERSION FRAME, grouped by timetable version. - - - - - - - - - - Type for Deliveries for Real-time Timetable Service. Used in WSDL. - - - - - - - - - - Request for information about Estimated Timetable Service Capabilities. Answered with a EstimatedTimetableCapabilitiesResponse. - - - - - - Capabilities for Estimated Timetable Service. Answers a EstimatedTimetableCapabilitiesRequest. - - - - - Type for Delivery for Estimated Timetable Capability. - - - - - - - - - - - - - - - Type for Estimated Timetable Capability Request Policy. - - - - - - - Whether results returns foreign journeys only. - - - - - - - - - Capabilities of Estimated TimetableService. - - - - - Type for Estimated Timetable Capabilities. - - - - - - - Filtering Capabilities. - - - - - - Preview interval available for estimations. - - - - - - - - - - Whether results can be filtered by TIMETABLE VERSION Default is 'true'. - - - - - - - - Request Policy capabilities. - - - - - - - - - - Subscription Policy capabilities. - - - - - Optional Access control capabilities. - - - - - - - - - - - Participant's permissions to use the service. - - - - - - - - Permission for a single participant or all participants to use an aspect of the service. - - - - - - - + + + + + + + + Type for version frame structure. + + + + + + + + + Connection parameters for a monitored SERVICE JOURNEY INTERCHANGE between a feeder and distributor journey. SIRI 2.0 + + + + + + + + + Payload part of Estimated Timetable Delivery. + + + + + Estimated Journeys of a common TIMETABLE VERSION FRAME, grouped by timetable version. + + + + + + + + + + Type for Deliveries for Real-time Timetable Service. Used in WSDL. + + + + + + + + + + Request for information about Estimated Timetable Service Capabilities. Answered with a EstimatedTimetableCapabilitiesResponse. + + + + + + Capabilities for Estimated Timetable Service. Answers a EstimatedTimetableCapabilitiesRequest. + + + + + Type for Delivery for Estimated Timetable Capability. + + + + + + + + + + + + + + + Type for Estimated Timetable Capability Request Policy. + + + + + + + Whether results returns foreign journeys only. + + + + + + + + + Capabilities of Estimated TimetableService. + + + + + Type for Estimated Timetable Capabilities. + + + + + + + Filtering Capabilities. + + + + + + Preview interval available for estimations. + + + + + + + + + + Whether results can be filtered by TIMETABLE VERSION Default is 'true'. + + + + + + + + Request Policy capabilities. + + + + + + + + + + Subscription Policy capabilities. + + + + + Optional Access control capabilities. + + + + + + + + + + + Participant's permissions to use the service. + + + + + + + + Permission for a single participant or all participants to use an aspect of the service. + + + + + + +
diff --git a/xsd/siri_facilityMonitoring_service.xsd b/xsd/siri_facilityMonitoring_service.xsd index b1648482..dec13fdf 100644 --- a/xsd/siri_facilityMonitoring_service.xsd +++ b/xsd/siri_facilityMonitoring_service.xsd @@ -1,62 +1,63 @@ - - - - main schema - e-service developers - CEN TC278 WG3 SG7 Team - Europe - Drafted for version 1.1 CEN TC278 WG3 SG7 Editor Christophe Duquesne Dryade mailto:christophe.duquesne@dryade.net + + + + main schema + e-service developers + CEN TC278 WG3 SG7 Team + Europe + Drafted for version 1.1 CEN TC278 WG3 SG7 Editor Christophe Duquesne Dryade mailto:christophe.duquesne@dryade.net Drafted for version 1.0 CEN TC278 WG3 SG7 Editor Nicholas Knowles, Kizoom. mailto:schemer@siri.org.uk - - 2007-01-22 - - - 2007-01-22 - - 2007-04-17 + + 2007-01-22 + + + 2007-01-22 + + 2007-04-17 Name Space changes - 2008-11-17 + 2008-11-17 Revise to support substitution groups - 2008-11-18 + 2008-11-18 Revise in line with FM spec - add filters - 2012-03-23 + 2012-03-23 (since SIRI 2.0) Add Extensions tag to FacilityMonitoringSubscriptionRequest - -

SIRI is a European CEN standard for the exchange of Public Transport real-time information.

-

This sub-schema describes the Facility Monitoring Service.

-
- - text/xml - http://www.w3.org/2001/XMLSchema - XML schema, W3C Recommendation 2001 - - {http://www.siri.org.uk/schema/2.0/xsd/}sir_facilityMonitoring_service.xsd - [ISO 639-2/B] ENG - Kizoom, 109-123 Clifton Street, London EC4A 4LD - - http://www.siri.org.uk/schema/2.0/xsd/siri/siri_requests.xsd - http://www.siri.org.uk/schema/2.0/xsd/siri_model/siri_reference.xsd - http://www.siri.org.uk/schema/2.0/xsd/siri_model/siri_modelPermissions.xsd - - - CEN, VDV, RTIG 2004-2021 + +

SIRI is a European CEN standard for the exchange of Public Transport real-time information.

+

This sub-schema describes the Facility Monitoring Service.

+
+ + text/xml + http://www.w3.org/2001/XMLSchema + XML schema, W3C Recommendation 2001 + + {http://www.siri.org.uk/schema/2.0/xsd/}sir_facilityMonitoring_service.xsd + [ISO 639-2/B] ENG + Kizoom, 109-123 Clifton Street, London EC4A 4LD + + http://www.siri.org.uk/schema/2.0/xsd/siri/siri_requests.xsd + http://www.siri.org.uk/schema/2.0/xsd/siri_model/siri_reference.xsd + http://www.siri.org.uk/schema/2.0/xsd/siri_model/siri_modelPermissions.xsd + + + + CEN, VDV, RTIG 2004-2021 - -
    -
  • Derived from the VDV, RTIG XML and Trident standards.
  • -
- - Version 2.1 - - Arts, recreation and travel, Tourism, Travel (tourism), Transport, + +
    +
  • Derived from the VDV, RTIG XML and Trident standards.
  • +
+ + Version 2.1 + + Arts, recreation and travel, Tourism, Travel (tourism), Transport, Air transport, Airports, Ports and maritime transport, Ferries (marine), Public transport, Bus services, Coach services, Bus stops and stations, @@ -64,426 +65,426 @@ Rail transport, Railway stations and track, Train services, Underground trains, Business and industry, Transport, Air transport, Ports and maritime transport, Public transport, Rail transport, Roads and road transport - CEN TC278 WG3 SG7 - - SIRI-FM XML schema. Service Interface for Real-time Information relating to Public Transport Operations. Facility Monitoring Subschema - Standard -
-
- SIRI-FM Facility Monitoring Service. -
- - - - - - - - - - - - - Convenience artifact to pick out main elements of the Facility Monitoring Service. - - - - - - - - - - - - - - - - Request for information about Facilities status. - - - - - Type for Functional Service Request for Facility Monitoring Service. - - - - - - - - - - - Version number of request. Fixed + CEN TC278 WG3 SG7 + + SIRI-FM XML schema. Service Interface for Real-time Information relating to Public Transport Operations. Facility Monitoring Subschema + Standard +
+
+ SIRI-FM Facility Monitoring Service. +
+ + + + + + + + + + + + + Convenience artifact to pick out main elements of the Facility Monitoring Service. + + + + + + + + + + + + + + + + Request for information about Facilities status. + + + + + Type for Functional Service Request for Facility Monitoring Service. + + + + + + + + + + + Version number of request. Fixed - - - - - - - - Parameters that specify the content to be returned. - - - - - Forward duration for which Facilities status change: only status change which will occur within this time span will be returned. - - - - - Start time for PreviewInterval. If absent, then current time is assumed. - - - - - Parameters to filter Facility Monitoring requests, based on the facility location. Parameter value will be logically ANDed together. Multiple values fro the same parameter will be logically ORed. - - - - - Filter only for facility changes that affect the following accessibility needs. - - - - - - - Type for information about Accessibility Facilities status. - - - - - User need to be monitored. - - - - - - - Parameters to filter Facility Monitoring requests, based on the facility location . - - - - - - - - - - Use of simple reference is deprecated - - - - Refercence to a VEHICLE JOURNEY framed by the day. SIRI 2.0 - - - - - - - - - Reference to a STOP PLACE. - - - - - Reference to a STOP PLACE component. - - - - - Reference to a Site. - - - - - - - Parameters that affect the request processing. - - - - - Preferred languages in which to return text values. - - - - - - The maximum number of facility status in a given delivery. The most recent n Events within the look ahead window are included. - - - - - - - - Request for a subscription to the Vehicle Monitoring Service. - - - - - Parameters that affect the subscription publishing and notification processing. - - - - - Whether the producer will return the complete set of current data, or only provide updates to this data, i.e. additions, modifications and deletions. + + + + + + + + Parameters that specify the content to be returned. + + + + + Forward duration for which Facilities status change: only status change which will occur within this time span will be returned. + + + + + Start time for PreviewInterval. If absent, then current time is assumed. + + + + + Parameters to filter Facility Monitoring requests, based on the facility location. Parameter value will be logically ANDed together. Multiple values fro the same parameter will be logically ORed. + + + + + Filter only for facility changes that affect the following accessibility needs. + + + + + + + Type for information about Accessibility Facilities status. + + + + + User need to be monitored. + + + + + + + Parameters to filter Facility Monitoring requests, based on the facility location . + + + + + + + + + + Use of simple reference is deprecated + + + + Refercence to a VEHICLE JOURNEY framed by the day. SIRI 2.0 + + + + + + + + + Reference to a STOP PLACE. + + + + + Reference to a STOP PLACE component. + + + + + Reference to a Site. + + + + + + + Parameters that affect the request processing. + + + + + Preferred languages in which to return text values. + + + + + + The maximum number of facility status in a given delivery. The most recent n Events within the look ahead window are included. + + + + + + + + Request for a subscription to the Vehicle Monitoring Service. + + + + + Parameters that affect the subscription publishing and notification processing. + + + + + Whether the producer will return the complete set of current data, or only provide updates to this data, i.e. additions, modifications and deletions. If false or omitted, each subscription response will contain the full information as specified in this request. - - - - - - - Type for Subscription Request for Vehicle Monitoring Service. - - - - - - - - - - - - - - - - Delivery for Vehicle Monitoring Service. - - - - - Payload part of Vehicle Monitoring delivery. - - - - - - - - Type for Delivery for Vehicle Monitoring Service. Provides information about one or more vehicles; each has its own VEHICLE activity element. - - - - - - - Payload part of Facility Monitoring delivery. - - - - - - - Version number of response. Fixed + + + + + + + Type for Subscription Request for Vehicle Monitoring Service. + + + + + + + + + + + + + + + + Delivery for Vehicle Monitoring Service. + + + + + Payload part of Vehicle Monitoring delivery. + + + + + + + + Type for Delivery for Vehicle Monitoring Service. Provides information about one or more vehicles; each has its own VEHICLE activity element. + + + + + + + Payload part of Facility Monitoring delivery. + + + + + + + Version number of response. Fixed - - - - - - - - Condition of a Facility that is being monitored. - - - - - - - - Type for Deliveries for VEHICLE monitoring services Used in WSDL. - - - - - Delivery for Vehicle Activity Service. - - - - - - - - - Request for information about Vehicle Monitoring Service Capabilities. Answered with a VehicleMontoringCapabilitiesResponse. - - - - - - Capabilities for Vehicle Monitoring Service. Answers a VehicleMontoringCapabilitiesRequest. - - - - - Type for Delivery for Vehicle Monitoring Service. - - - - - - - - - - - Version number of response. Fixed + + + + + + + + Condition of a Facility that is being monitored. + + + + + + + + Type for Deliveries for VEHICLE monitoring services Used in WSDL. + + + + + Delivery for Vehicle Activity Service. + + + + + + + + + Request for information about Vehicle Monitoring Service Capabilities. Answered with a VehicleMontoringCapabilitiesResponse. + + + + + + Capabilities for Vehicle Monitoring Service. Answers a VehicleMontoringCapabilitiesRequest. + + + + + Type for Delivery for Vehicle Monitoring Service. + + + + + + + + + + + Version number of response. Fixed - - - - - - - - Capabilities of Vehicle Monitoring Service. - - - - - Type for Vehicle Monitoring Capabilities. - - - - - - - Filtering Capabilities. - - - - - - Default preview interval. Default is 60 minutes. - - - - - - Whether results can be filtered by location. Fixed as 'true'. - - - - - - - - - - - Whether results can be filtered by Specific Needs. Default is 'true'. - - - - - - - - Request Policy capabilities. - - - - - - - - - - - - - - Subscription Policy capabilities. - - - - - Optional Access control capabilities. - - - - - - - - - - - - - - - Optional Response capabilities. - - - - - - Whether result supports remedy information. Default is 'false' - - - - - Whether result supports facility location information. Default is 'true'. - - - - - - - - - - - - - Elements for volume control. - - - - - Whether a maximum number of Facility Status to include can be specified. Default is 'false'. - - - - - - - - Participant's permissions to use the service. - - - - - - - - - - - - - - Type for Facility Monitoring Service Permissions. - - - - - - - - - - - + + + + + + + + Capabilities of Vehicle Monitoring Service. + + + + + Type for Vehicle Monitoring Capabilities. + + + + + + + Filtering Capabilities. + + + + + + Default preview interval. Default is 60 minutes. + + + + + + Whether results can be filtered by location. Fixed as 'true'. + + + + + + + + + + + Whether results can be filtered by Specific Needs. Default is 'true'. + + + + + + + + Request Policy capabilities. + + + + + + + + + + + + + + Subscription Policy capabilities. + + + + + Optional Access control capabilities. + + + + + + + + + + + + + + + Optional Response capabilities. + + + + + + Whether result supports remedy information. Default is 'false' + + + + + Whether result supports facility location information. Default is 'true'. + + + + + + + + + + + + + Elements for volume control. + + + + + Whether a maximum number of Facility Status to include can be specified. Default is 'false'. + + + + + + + + Participant's permissions to use the service. + + + + + + + + + + + + + + Type for Facility Monitoring Service Permissions. + + + + + + + + + + +
diff --git a/xsd/siri_generalMessage_service.xsd b/xsd/siri_generalMessage_service.xsd index 6b2e5dd6..967c8db7 100644 --- a/xsd/siri_generalMessage_service.xsd +++ b/xsd/siri_generalMessage_service.xsd @@ -1,75 +1,76 @@ - - - - main schema - e-service developers - CEN TC278 WG3 SG7 Team - Gustav Thiessen BLIC thi@BLIC.DE - Europe - >Drafted for version 1.0 CEN TC278 WG3 SG7 Editor Nicholas Knowles, Kizoom. mailto:schemer@siri.org.uk - - 2004-09-29 - - - 2004-10-01 - - - 2005-02-14 - - - 2005-02-20 - - - 2005-05-11 - - - 2007-04-17 - - - - 2008-11-17 - - - - 2011-04-18 - + + + 2008-11-17 + + + + 2011-04-18 + - - - 2012-03-23 - - - -

SIRI is a European CEN technical standard for the exchange of Public Transport real-time information.

-

This sub-schema describes the General Message Service.

-
- - text/xml - http://www.w3.org/2001/XMLSchema - XML schema, W3C Recommendation 2001 - - {http://www.siri.org.uk/schema/2.0/xsd/}siri_generalMessage_service.xsd - [ISO 639-2/B] ENG - Kizoom, 109-123 Clifton Street, London EC4A 4LD - - http://www.siri.org.uk/schema/2.0/xsd/siri/siri_requests.xsd - http://www.siri.org.uk/schema/2.0/xsd/siri_model/siri_reference.xsd - - - CEN, VDV, RTIG 2004-2021 + + + 2012-03-23 + + + +

SIRI is a European CEN technical standard for the exchange of Public Transport real-time information.

+

This sub-schema describes the General Message Service.

+
+ + text/xml + http://www.w3.org/2001/XMLSchema + XML schema, W3C Recommendation 2001 + + {http://www.siri.org.uk/schema/2.0/xsd/}siri_generalMessage_service.xsd + [ISO 639-2/B] ENG + Kizoom, 109-123 Clifton Street, London EC4A 4LD + + http://www.siri.org.uk/schema/2.0/xsd/siri/siri_requests.xsd + http://www.siri.org.uk/schema/2.0/xsd/siri_model/siri_reference.xsd + + + + CEN, VDV, RTIG 2004-2021 - -
    -
  • Derived from the VDV, RTIG XML and Trident standards.
  • -
- - Version 2.1 - - Arts, recreation and travel, Tourism, Travel (tourism), Transport, + +
    +
  • Derived from the VDV, RTIG XML and Trident standards.
  • +
+ + Version 2.1 + + Arts, recreation and travel, Tourism, Travel (tourism), Transport, Air transport, Airports, Ports and maritime transport, Ferries (marine), Public transport, Bus services, Coach services, Bus stops and stations, @@ -77,407 +78,407 @@ Rail transport, Railway stations and track, Train services, Underground trains, Business and industry, Transport, Air transport, Ports and maritime transport, Public transport, Rail transport, Roads and road transport - CEN TC278 WG3 SG7 - - SIRI-GM XML schema. Service Interface for Real-time Information. SubSchema for General Message Service - Standard -
-
- SIRI-GM General Message Service. -
- - - - - - - Convenience artefact to pick out main elements of the General Message Service. - - - - - - - - - - - - - - - - - Request for information about general information messages affecting stops, vehicles or services. - - - - - Service Request for General Messages. - - - - - - - - - - - Version number of request. Fixed + CEN TC278 WG3 SG7 + + SIRI-GM XML schema. Service Interface for Real-time Information. SubSchema for General Message Service + Standard + + + SIRI-GM General Message Service. + + + + + + + + Convenience artefact to pick out main elements of the General Message Service. + + + + + + + + + + + + + + + + + Request for information about general information messages affecting stops, vehicles or services. + + + + + Service Request for General Messages. + + + + + + + + + + + Version number of request. Fixed - - - - - - - - Parameters that affect the request processing. - - - - - Referenceto an Info Channel for which messages are to be returned. - - - - - - - Parameters that affect the request processing. - - - - - Preferred languages in which to return text values. - - - - - - - Request for a subscription to General Message Service. - - - - - Subscription for General Message Service. - - - - - - - - - - - - - - - Delivery for General Message Service. - - - - - General Message payload content. - - - - - - - - - Delivery for General Message. - - - - - - - - - - Version number of response. Fixed + + + + + + + + Parameters that affect the request processing. + + + + + Referenceto an Info Channel for which messages are to be returned. + + + + + + + Parameters that affect the request processing. + + + + + Preferred languages in which to return text values. + + + + + + + Request for a subscription to General Message Service. + + + + + Subscription for General Message Service. + + + + + + + + + + + + + + + Delivery for General Message Service. + + + + + General Message payload content. + + + + + + + + + Delivery for General Message. + + + + + + + + + + Version number of response. Fixed - - - - - - - - - An informative message. - - - - - Type for an Info Message. @formatRef. - - - - - - - - Time until when message is valid. If absent unopen ended. - - - - - - Message Content. Format is specified by Format Ref. - - - - - - - - - Reference to a format of the Content. If absent, free text. - - - - - - - - Extra information provided on general message notifcation that can be used to filter messages. - - - - - Unique identifier of message. - - - - - Optional version number of update to previosu message. - - - - - Info Channel to which message belongs. - - - - - - - A revocation of a previous message. - - - - - Type for Revocation of a previous message. - - - - - - - Identifier of message. Unique within service and Producer participant. - - - - - Info Channel to which message belongs. - - - - - - - - - - - Type for identifier of an Info Message. - - - - - - Type for reference to an Info Message. - - - - - - - - - - Type for Deliveries. Used in WSDL. - - - - - Delivery for general Message service. - - - - - - - - - Request for information about General Message Service Capabilities. Answered with a GeneralMessageCapabilitiesResponse. - - - - - - Capabilities for General Message Service. Answers a GeneralMessageCapabilitiesResponse. - - - - - Type for Delivery for General MessageService. - - - - - - - - - - - + + + + + + + + + An informative message. + + + + + Type for an Info Message. @formatRef. + + + + + + + + Time until when message is valid. If absent unopen ended. + + + + + + Message Content. Format is specified by Format Ref. + + + + + + + + + Reference to a format of the Content. If absent, free text. + + + + + + + + Extra information provided on general message notifcation that can be used to filter messages. + + + + + Unique identifier of message. + + + + + Optional version number of update to previosu message. + + + + + Info Channel to which message belongs. + + + + + + + A revocation of a previous message. + + + + + Type for Revocation of a previous message. + + + + + + + Identifier of message. Unique within service and Producer participant. + + + + + Info Channel to which message belongs. + + + + + + + + + + + Type for identifier of an Info Message. + + + + + + Type for reference to an Info Message. + + + + + + + + + + Type for Deliveries. Used in WSDL. + + + + + Delivery for general Message service. + + + + + + + + + Request for information about General Message Service Capabilities. Answered with a GeneralMessageCapabilitiesResponse. + + + + + + Capabilities for General Message Service. Answers a GeneralMessageCapabilitiesResponse. + + + + + Type for Delivery for General MessageService. + + + + + + + + + + + Version number of response. Fixed - - - - - - - - Capabilities of General Message Service. - - - - - Type for General Message Capabilities. - - - - - - - Filtering Capabilities. - - - - - - Default preview interval. Default is 60 minutes. - - - - - Whether results can be filtered by InfoChannel, departures. Default is 'true'. - - - - - - - - Request Policiy capabilities. - - - - - Optional Access control capabilities. - - - - - - - - - - Participant's permissions to use the service. - - - - - - - - Permission or a single particpant or all participants. - - - - - - - - - - Type for General MessageService Permission. - - - - - - - The monitoring points that the participant may access. - - - - - - - Participant's permission for this InfoChannel. - - - - - - - - - - - - - Type for access control. - - - - - - - If access control is supported, whether access control by LINE is supported. Default is 'true'. - - - - - - - - - Type for Info Channel Permission. - - - - - - - Reference to an Info Channel to which permission applies. - - - - - - + + + + + + + + Capabilities of General Message Service. + + + + + Type for General Message Capabilities. + + + + + + + Filtering Capabilities. + + + + + + Default preview interval. Default is 60 minutes. + + + + + Whether results can be filtered by InfoChannel, departures. Default is 'true'. + + + + + + + + Request Policiy capabilities. + + + + + Optional Access control capabilities. + + + + + + + + + + Participant's permissions to use the service. + + + + + + + + Permission or a single particpant or all participants. + + + + + + + + + + Type for General MessageService Permission. + + + + + + + The monitoring points that the participant may access. + + + + + + + Participant's permission for this InfoChannel. + + + + + + + + + + + + + Type for access control. + + + + + + + If access control is supported, whether access control by LINE is supported. Default is 'true'. + + + + + + + + + Type for Info Channel Permission. + + + + + + + Reference to an Info Channel to which permission applies. + + + + + +
diff --git a/xsd/siri_model/siri_all.xsd b/xsd/siri_model/siri_all.xsd index 268e3964..febd99c3 100644 --- a/xsd/siri_model/siri_all.xsd +++ b/xsd/siri_model/siri_all.xsd @@ -4,10 +4,10 @@ --> - - - - - - + + + + + + diff --git a/xsd/siri_model/siri_all_journeyModel.xsd b/xsd/siri_model/siri_all_journeyModel.xsd index 022fcb50..d6055757 100644 --- a/xsd/siri_model/siri_all_journeyModel.xsd +++ b/xsd/siri_model/siri_all_journeyModel.xsd @@ -4,18 +4,18 @@ --> - - - - - - - - - - - - - - + + + + + + + + + + + + + + diff --git a/xsd/siri_model/siri_all_model.xsd b/xsd/siri_model/siri_all_model.xsd index 841cfc9d..6ffff509 100644 --- a/xsd/siri_model/siri_all_model.xsd +++ b/xsd/siri_model/siri_all_model.xsd @@ -4,10 +4,10 @@ --> - - - - - - + + + + + + diff --git a/xsd/siri_model/siri_all_situation.xsd b/xsd/siri_model/siri_all_situation.xsd index 81156990..02e93c96 100644 --- a/xsd/siri_model/siri_all_situation.xsd +++ b/xsd/siri_model/siri_all_situation.xsd @@ -4,14 +4,14 @@ --> - - - - - - - - - - + + + + + + + + + + diff --git a/xsd/siri_model/siri_datedVehicleJourney.xsd b/xsd/siri_model/siri_datedVehicleJourney.xsd index 972fb8d7..cb8cc7a6 100644 --- a/xsd/siri_model/siri_datedVehicleJourney.xsd +++ b/xsd/siri_model/siri_datedVehicleJourney.xsd @@ -1,47 +1,47 @@ - - - - main schema - e-service developers - CEN TC278 WG3 SG7 Team - Werner Kohl MDV - Europe - Drafted for version 1.0 CEN TC278 WG3 SG7 Editor Nicholas Knowles, Kizoom. mailto:schemer@siri.org.uk - - 2003-02-10 - - - 2004-10-31 - - - 2005-02-14 - - - 2005-02-20 - - - 2005-05-11 - - 2007-04-17 + + + + main schema + e-service developers + CEN TC278 WG3 SG7 Team + Werner Kohl MDV + Europe + Drafted for version 1.0 CEN TC278 WG3 SG7 Editor Nicholas Knowles, Kizoom. mailto:schemer@siri.org.uk + + 2003-02-10 + + + 2004-10-31 + + + 2005-02-14 + + + 2005-02-20 + + + 2005-05-11 + + 2007-04-17 Name Space changes - 2008-03-26 + 2008-03-26 Add wrapper tag for Line DIRECTION to help binding to Axis - 2008-11-17 + 2008-11-17 Revise to support substitution groups - 2011-04-18 + 2011-04-18 - siri_productionTimetable_service.xsd Type on request ValidiyPeriod start and end should be datetime not time .. - Change to ClosedTimestampRange instead of ClosedTimeRange. Fix Subscription request to be an element and have extensions . - 2011-01-19 + 2011-01-19 SIRI 1.3 Drop use of As Flat Groups for DatedCalls. - 2012-03-23 + 2012-03-23 Factor out fropm ProductionTimetable package (since SIRI 2.0) Add ServiceJourneyInterchange (i.e. Monitored Connection) [VDV] Add additional times to TargetedServiceInterchange MinimumTransferTime, MaximimTransferTime, StandardTransferTime, MaximumAUtomaticWaitTime, StandardWaitTime. @@ -49,35 +49,36 @@ [VDV] Add AimedLatestPassengerAccessTime to TargetedCall - 2013-02-11 + 2013-02-11 SIRI v2.0 Modified ServiceJourneyInterchange SIRI:PT - -

SIRI is a European CEN standard for the exchange of Public Transport real-time information.

-

This sub-schema describes the Production Timetable Service.

-
- - text/xml - http://www.w3.org/2001/XMLSchema - XML schema, W3C Recommendation 2001 - - {http://www.siri.org.uk/schema/2.0/xsd/siri_model/}siri_datedVehicleJourney.xsd - [ISO 639-2/B] ENG - Kizoom, 109-123 Clifton Street, London EC4A 4LD - - http://www.siri.org.uk/schema/2.0/xsd/siri_model/siri_journey.xsd - - - CEN, VDV, RTIG 2004-2021 + +

SIRI is a European CEN standard for the exchange of Public Transport real-time information.

+

This sub-schema describes the Production Timetable Service.

+
+ + text/xml + http://www.w3.org/2001/XMLSchema + XML schema, W3C Recommendation 2001 + + {http://www.siri.org.uk/schema/2.0/xsd/siri_model/}siri_datedVehicleJourney.xsd + [ISO 639-2/B] ENG + Kizoom, 109-123 Clifton Street, London EC4A 4LD + + http://www.siri.org.uk/schema/2.0/xsd/siri_model/siri_journey.xsd + + + + CEN, VDV, RTIG 2004-2021 - -
    -
  • Derived from the VDV, RTIG XML and Trident standards.
  • -
- - Version 2.1 - - Arts, recreation and travel, Tourism, Travel (tourism), Transport, + +
    +
  • Derived from the VDV, RTIG XML and Trident standards.
  • +
+ + Version 2.1 + + Arts, recreation and travel, Tourism, Travel (tourism), Transport, Air transport, Airports, Ports and maritime transport, Ferries (marine), Public transport, Bus services, Coach services, Bus stops and stations, @@ -85,618 +86,618 @@ Rail transport, Railway stations and track, Train services, Underground trains, Business and industry, Transport, Air transport, Ports and maritime transport, Public transport, Rail transport, Roads and road transport - CEN TC278 WG3 SG7 - - SIRI_PT XML schema. Service Interface for Real-time Information. Production Timetable Service. - Standard -
-
- SIRI-Model Dated Vehicle Joruney. -
- - - - - - A planned VEHICLE JOURNEY taking place on a particular date. - - - - - Type for Planned VEHICLE JOURNEY (Production Timetable Service). - - - - - Identifier for a VEHICLE JOURNEY. - - - - - - - - - - - - - Complete sequence of stops along the route path, in calling order. - - - - - - - - - - Relations of the journey with other journeys, e.g., in case a joining/splitting takes place or the journey substitutes for another one etc. - - - - - - - - Type for previously planned VEHICLE JOURNEY that is removed from the data producer when using incremental updates. (since SIRI 2.1) - - - - - A reference to the DATED VEHICLE JOURNEY from a previous PT delivery that is removed by the data producer. - - - - - Optionally identify the VEHICLE JOURNEY indirectly by origin and destination and the scheduled times at these stops. - - - - - TRAIN NUMBERs for journey. - - - - - - TRAIN NUMBER assigned to VEHICLE JOURNEY. - - - - - - - - - - - General info elements that apply to all journeys of timetable version unless overriden. - - - - - Description of the origin stop (vehicle signage) to show on vehicle, Can be overwritten for a journey, and then also section by section by the entry in an Individual Call. (since SIRI 2.0) - - - - - Description of the destination stop (vehicle signage) to show on vehicle, Can be overwritten for a journey, and then also section by section by the entry in an Individual Call. (Unbounded since SIRI 2.0) - - - - - Additional Text associated with LINE. (Unbounded since SIRI 2.0) - - - - - Whether journey is first or last jouurney of day. (since SIRI 2.0) - - - - - - - If the journey is an alteration to a timetable, indicates the original journey, and the nature of the difference. - - - - - Use of simple reference is deprecated - - - - Refecence to a VEHICLE JOURNEY framed by the day. SIRI 2.0 - - - - - - - - Whether this journey is an addition to the plan. Can only be used when both participants recognise the same schedule version. If omitted, defaults to false: the journey is not an addition. - - - - - Whether this journey is a cancellation of a journey in the plan. Can only be used when both participants recognise the same schedule version. If omitted, defaults to 'false': the journey is not cancelled. - - - - - - - - Additional descriptive properties of service. - - - - - Whether this is a Headway Service, that is, one shown as operating at a prescribed interval rather than to a fixed timetable. - - - - - Whether VEHICLE JOURNEYs of LINE are normally monitored. Provides a default value for the Monitored element on individual journeys of the timetable. - - - - - - - - A planned SERVICE JOURNEY INTERCHANGE between two journeys. (since SIRI 2.0) - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - A planned SERVICE JOURNEY INTERCHANGE from a journey. (since SIRI 2.0) - - - - - - - - - - - - - - - - - - - - - - - - - - - A planned SERVICE JOURNEY INTERCHANGE to a journey. (since SIRI 2.0) - - - - - - - - - - - - - - - - - - - - - - - - - - - A planned SERVICE JOURNEY INTERCHANGE between two journeys. (since SIRI 2.0) - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - Type for a previously planned SERVICE JOURNEY INTERCHANGE that a data producer wants to silently remove from the plan (because it is erroneous data). Careful: Removal is different from Cancellation. (since SIRI 2.1) - - - - - - - - - - - - - - - - - - - - - - - - - - Time Elements for SERVICE JOURNEY INTERCHANGE. - - - - - Elements for INTERCHANGE WAIT TIME. - - - - - - - - Elements for INTERCHANGE TRANSFER duration. - - - - - Standard transfer duration for INTERCHANGE. SIRI v2,0 - - - - - Minimum transfer duration for INTERCHANGE. SIRI v2,0 - - - - - Maximum transfer duration for INTERCHANGE. SIRI v2,0 - - - - - - - Elements for INTERCHANGE WAIT TIME. - - - - - Standard wait time for INTERCHANGE. SIRI v2,0 - - - - - Maximum time that Distributor will wait for Feeder for INTERCHANGE. SIRI v1.0 - - - - - Maximum automatic wait time that Distributor will wait for Feeder for INTERCHANGE. (since SIRI 2.0) - - - - - - - - Complete sequence of stops along the route path, in calling order. - - - - - Type for Planned VEHICLE JOURNEY Stop (Production Timetable Service). - - - - - - - Whether this DATED CALL is an addition to the plan. Can only be used when both participants recognise the same schedule version. If omitted, defaults to false: the journey is not an addition. - - - - - Whether this DATED CALL is a cancellation of a previously announced call (or planned according to the long-term timetable). Can only be used when both participants recognise the same schedule version. If omitted, defaults to 'false': the journey is not cancelled. - - - - - - - Text annotation that applies to this call. - - - + + + + + A planned VEHICLE JOURNEY taking place on a particular date. + + + + + Type for Planned VEHICLE JOURNEY (Production Timetable Service). + + + + + Identifier for a VEHICLE JOURNEY. + + + + + + + + + + + + + Complete sequence of stops along the route path, in calling order. + + + + + + + + + + Relations of the journey with other journeys, e.g., in case a joining/splitting takes place or the journey substitutes for another one etc. + + + + + + + + Type for previously planned VEHICLE JOURNEY that is removed from the data producer when using incremental updates. (since SIRI 2.1) + + + + + A reference to the DATED VEHICLE JOURNEY from a previous PT delivery that is removed by the data producer. + + + + + Optionally identify the VEHICLE JOURNEY indirectly by origin and destination and the scheduled times at these stops. + + + + + TRAIN NUMBERs for journey. + + + + + + TRAIN NUMBER assigned to VEHICLE JOURNEY. + + + + + + + + + + + General info elements that apply to all journeys of timetable version unless overriden. + + + + + Description of the origin stop (vehicle signage) to show on vehicle, Can be overwritten for a journey, and then also section by section by the entry in an Individual Call. (since SIRI 2.0) + + + + + Description of the destination stop (vehicle signage) to show on vehicle, Can be overwritten for a journey, and then also section by section by the entry in an Individual Call. (Unbounded since SIRI 2.0) + + + + + Additional Text associated with LINE. (Unbounded since SIRI 2.0) + + + + + Whether journey is first or last jouurney of day. (since SIRI 2.0) + + + + + + + If the journey is an alteration to a timetable, indicates the original journey, and the nature of the difference. + + + + + Use of simple reference is deprecated + + + + Refecence to a VEHICLE JOURNEY framed by the day. SIRI 2.0 + + + + + + + + Whether this journey is an addition to the plan. Can only be used when both participants recognise the same schedule version. If omitted, defaults to false: the journey is not an addition. + + + + + Whether this journey is a cancellation of a journey in the plan. Can only be used when both participants recognise the same schedule version. If omitted, defaults to 'false': the journey is not cancelled. + + + + + + + + Additional descriptive properties of service. + + + + + Whether this is a Headway Service, that is, one shown as operating at a prescribed interval rather than to a fixed timetable. + + + + + Whether VEHICLE JOURNEYs of LINE are normally monitored. Provides a default value for the Monitored element on individual journeys of the timetable. + + + + + + + + A planned SERVICE JOURNEY INTERCHANGE between two journeys. (since SIRI 2.0) + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + A planned SERVICE JOURNEY INTERCHANGE from a journey. (since SIRI 2.0) + + + + + + + + + + + + + + + + + + + + + + + + + + + A planned SERVICE JOURNEY INTERCHANGE to a journey. (since SIRI 2.0) + + + + + + + + + + + + + + + + + + + + + + + + + + + A planned SERVICE JOURNEY INTERCHANGE between two journeys. (since SIRI 2.0) + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + Type for a previously planned SERVICE JOURNEY INTERCHANGE that a data producer wants to silently remove from the plan (because it is erroneous data). Careful: Removal is different from Cancellation. (since SIRI 2.1) + + + + + + + + + + + + + + + + + + + + + + + + + + Time Elements for SERVICE JOURNEY INTERCHANGE. + + + + + Elements for INTERCHANGE WAIT TIME. + + + + + + + + Elements for INTERCHANGE TRANSFER duration. + + + + + Standard transfer duration for INTERCHANGE. SIRI v2,0 + + + + + Minimum transfer duration for INTERCHANGE. SIRI v2,0 + + + + + Maximum transfer duration for INTERCHANGE. SIRI v2,0 + + + + + + + Elements for INTERCHANGE WAIT TIME. + + + + + Standard wait time for INTERCHANGE. SIRI v2,0 + + + + + Maximum time that Distributor will wait for Feeder for INTERCHANGE. SIRI v1.0 + + + + + Maximum automatic wait time that Distributor will wait for Feeder for INTERCHANGE. (since SIRI 2.0) + + + + + + + + Complete sequence of stops along the route path, in calling order. + + + + + Type for Planned VEHICLE JOURNEY Stop (Production Timetable Service). + + + + + + + Whether this DATED CALL is an addition to the plan. Can only be used when both participants recognise the same schedule version. If omitted, defaults to false: the journey is not an addition. + + + + + Whether this DATED CALL is a cancellation of a previously announced call (or planned according to the long-term timetable). Can only be used when both participants recognise the same schedule version. If omitted, defaults to 'false': the journey is not cancelled. + + + + + + + Text annotation that applies to this call. + + + - - - - Information on any planned distributor connections (deprecated from SIRI V2.0 ... see 2 next attributes) - - - - - Information on any planned feeder connections. SIRI 2.0 - - - - - Information on any planned distributor connections. SIRI 2.0 - - - - - - - - - Planned Connection between two VEHICLE JOURNEYs. - - - - - - - Reference to a (dated) distributor VEHICLE JOURNEY. - - - - - - Reference to a physical CONNECTION LINK over which the SERVICE JOURNEY INTERCHANGE takes place. - - - - - Link to Interchange stop from which the distributor journey departs. If omitted: the distributor journey stop is the same as the feeder journey stop, i.e. that of theh dated call. - - - - - - - - For implementations for which Order is not used for VisitNumber, (i.e. if VisitNumberIsOrder is false) then Order can be used to associate the Order as well if useful for translation. - - - - - - - - - Connection between two stops within a connection area. Used within the context of one or other end. - - - - - Identifier of CONNECTION LINk. - - - - - - - - - - Times for making SERVICE JOURNEY INTERCHANGE. - - - - - Default time (Duration) needeed to traverse SERVICE JOURNEY INTERCHANGE from feeder to distributor. - - - - - Time needeed by a traveller whis is familiar with SERVICE JOURNEY INTERCHANGE to traverse it. If absent, use DefaultDuration. - - - - - Time needeed by a traveller whis is not familiar with SERVICE JOURNEY INTERCHANGE to traverse it. If absent, use DefaultDuration and a standard weighting. - - - - - Time needeed by a traveller wos is mobility impaired to traverse SERVICE JOURNEY INTERCHANGE. If absent, use DefaultDuration and a standard impaired travel speed. - - - - - - - Properties of SERVICE JOURNEY INTERCHANGE. - - - - - Whether the passenger can remain in VEHICLE (i.e. BLOCKlinking). Default is 'false': the passenger must change vehicles for this connection. - - - - - Whether the SERVICE JOURNEY INTERCHANGE is guaranteed. Default is 'false'; SERVICE JOURNEY INTERCHANGE is not guaranteed. - - - - - Whether the SERVICE JOURNEY INTERCHANGE is advertised as a connection. Default is 'false'. - - - - - - - Nature of Interchange management. - - - - - Interchange is considered a possible connection between journeys. - - - - - Interchange is advertised to public as a possible connection between journeys. - - - - - Interchange is actively managed as a possible connection between journeys and passengers are informed of real-time alterations. - - - - - Interchange is actively managed as a possible connection between journeys and distributor may be delayed in order to make a transfer possible. - - - - - - - - Identifier of SERVICE JOURNEY INTERCHANGE. (since SIRI 2.0) - - - - - Whether this interchange is an addition to the plan. Can only be used when both participants recognise the same schedule version. If omitted, defaults to 'false': the interchange is not an addition. (since SIRI 2.1) - - - - - Whether this interchange is a cancellation of a previously announced interchange (or planned according to the long-term timetable. + + + + Information on any planned distributor connections (deprecated from SIRI V2.0 ... see 2 next attributes) + + + + + Information on any planned feeder connections. SIRI 2.0 + + + + + Information on any planned distributor connections. SIRI 2.0 + + + + + + + + + Planned Connection between two VEHICLE JOURNEYs. + + + + + + + Reference to a (dated) distributor VEHICLE JOURNEY. + + + + + + Reference to a physical CONNECTION LINK over which the SERVICE JOURNEY INTERCHANGE takes place. + + + + + Link to Interchange stop from which the distributor journey departs. If omitted: the distributor journey stop is the same as the feeder journey stop, i.e. that of theh dated call. + + + + + + + + For implementations for which Order is not used for VisitNumber, (i.e. if VisitNumberIsOrder is false) then Order can be used to associate the Order as well if useful for translation. + + + + + + + + + Connection between two stops within a connection area. Used within the context of one or other end. + + + + + Identifier of CONNECTION LINk. + + + + + + + + + + Times for making SERVICE JOURNEY INTERCHANGE. + + + + + Default time (Duration) needeed to traverse SERVICE JOURNEY INTERCHANGE from feeder to distributor. + + + + + Time needeed by a traveller whis is familiar with SERVICE JOURNEY INTERCHANGE to traverse it. If absent, use DefaultDuration. + + + + + Time needeed by a traveller whis is not familiar with SERVICE JOURNEY INTERCHANGE to traverse it. If absent, use DefaultDuration and a standard weighting. + + + + + Time needeed by a traveller wos is mobility impaired to traverse SERVICE JOURNEY INTERCHANGE. If absent, use DefaultDuration and a standard impaired travel speed. + + + + + + + Properties of SERVICE JOURNEY INTERCHANGE. + + + + + Whether the passenger can remain in VEHICLE (i.e. BLOCKlinking). Default is 'false': the passenger must change vehicles for this connection. + + + + + Whether the SERVICE JOURNEY INTERCHANGE is guaranteed. Default is 'false'; SERVICE JOURNEY INTERCHANGE is not guaranteed. + + + + + Whether the SERVICE JOURNEY INTERCHANGE is advertised as a connection. Default is 'false'. + + + + + + + Nature of Interchange management. + + + + + Interchange is considered a possible connection between journeys. + + + + + Interchange is advertised to public as a possible connection between journeys. + + + + + Interchange is actively managed as a possible connection between journeys and passengers are informed of real-time alterations. + + + + + Interchange is actively managed as a possible connection between journeys and distributor may be delayed in order to make a transfer possible. + + + + + + + + Identifier of SERVICE JOURNEY INTERCHANGE. (since SIRI 2.0) + + + + + Whether this interchange is an addition to the plan. Can only be used when both participants recognise the same schedule version. If omitted, defaults to 'false': the interchange is not an addition. (since SIRI 2.1) + + + + + Whether this interchange is a cancellation of a previously announced interchange (or planned according to the long-term timetable. Can only be used when both participants recognise the same schedule version. If omitted, defaults to 'false': the interchange is not cancelled. (since SIRI 2.1) - - - - - - The data producer must provide a reason, e.g. type of error and description, in case he wants to silently remove (instead of cancel) a journey or an interchange from the plan. (since SIRI 2.1) - - - - - Reference to a feeder VEHICLE JOURNEY. (since SIRI 2.0) - - - - - SCHEDULED STOP POINT at which feeder journey arrives. (since SIRI 2.0) - - - - - Sequence of visit to Feeder stop within Feeder JOURNEY PATTERN. - - - - - For implementations in which the overall order is not defined by VISIT NUMBER, i.e. in case VisitNumberIsOrder is set to false, ORDER can be used to associate the stop order instead. + + + + + + The data producer must provide a reason, e.g. type of error and description, in case he wants to silently remove (instead of cancel) a journey or an interchange from the plan. (since SIRI 2.1) + + + + + Reference to a feeder VEHICLE JOURNEY. (since SIRI 2.0) + + + + + SCHEDULED STOP POINT at which feeder journey arrives. (since SIRI 2.0) + + + + + Sequence of visit to Feeder stop within Feeder JOURNEY PATTERN. + + + + + For implementations in which the overall order is not defined by VISIT NUMBER, i.e. in case VisitNumberIsOrder is set to false, ORDER can be used to associate the stop order instead. ORDER is also used together with VISIT NUMBER in scenarios where an extra CALL is inserted as a result of despatching alterations. Because such an extra CALL may have the same VisitNumber as another (cancelled) CALL, the STOP ORDER is needed. (since SIRI 2.1) - - - - - Planned time at which feeder VEHICLE is scheduled to arrive. (since SIRI 2.1) - - - - - Reference to a feeder VEHICLE JOURNEY. (since SIRI 2.0) - - - - - SCHEDULED STOP POINT at which distributor journet departs. (since SIRI 2.0) - - - - - Sequence of visit to Distributor stop within Distributor JOURNEY PATTERN. - - - - - For implementations in which the overall order is not defined by VISIT NUMBER, i.e. in case VisitNumberIsOrder is set to false, ORDER can be used to associate the stop order instead. + + + + + Planned time at which feeder VEHICLE is scheduled to arrive. (since SIRI 2.1) + + + + + Reference to a feeder VEHICLE JOURNEY. (since SIRI 2.0) + + + + + SCHEDULED STOP POINT at which distributor journet departs. (since SIRI 2.0) + + + + + Sequence of visit to Distributor stop within Distributor JOURNEY PATTERN. + + + + + For implementations in which the overall order is not defined by VISIT NUMBER, i.e. in case VisitNumberIsOrder is set to false, ORDER can be used to associate the stop order instead. ORDER is also used together with VISIT NUMBER in scenarios where an extra CALL is inserted as a result of despatching alterations. Because such an extra CALL may have the same VisitNumber as another (cancelled) CALL, the STOP ORDER is needed. (since SIRI 2.1) - - - - - Planned time at which distributor VEHICLE is scheduled to depart. (since SIRI 2.1) - - - +
+ + + + Planned time at which distributor VEHICLE is scheduled to depart. (since SIRI 2.1) + + +
diff --git a/xsd/siri_model/siri_estimatedVehicleJourney.xsd b/xsd/siri_model/siri_estimatedVehicleJourney.xsd index 43c7b16a..7af158f5 100644 --- a/xsd/siri_model/siri_estimatedVehicleJourney.xsd +++ b/xsd/siri_model/siri_estimatedVehicleJourney.xsd @@ -1,78 +1,79 @@ - - - - main schema - e-service developers - CEN TC278 WG3 SG7 Team - Werner Kohl MDV - Europe - Drafted for version 1.0 CEN TC278 WG3 SG7 Editor Nicholas Knowles, Kizoom. mailto:schemer@siri.org.uk - - 2003-02-10 - - - 2004-10-31 - - - 2005-02-14 - - - 2005-02-20 - - - 2005-05-11 - - - 2007-04-17 - - - - 2008-03-26 - - - - 2008-11-17 - - - - 2011-01-19 - - - - 2012-03-23 - + + + 2008-03-26 + + + + 2008-11-17 + + + + 2011-01-19 + + + + 2012-03-23 + - - -

SIRI is a European CEN standard for the exchange of Public Transport real-time information.

-

This sub-schema describes the Estimated Timetable Service.

-
- - text/xml - http://www.w3.org/2001/XMLSchema - XML schema, W3C Recommendation 2001 - - {http://www.siri.org.uk/schema/2.0/xsd/siri_model}siri_estimatedVehicleJourney.xsd - [ISO 639-2/B] ENG - Kizoom, 109-123 Clifton Street, London EC4A 4LD - - http://www.siri.org.uk/schema/2.0/xsd/siri_model/siri_journey.xsd - - - CEN, VDV, RTIG 2004-2021 - - -
    -
  • Derived from the VDV, RTIG XML and Trident standards.
  • -
- - Version 2.1 - - Arts, recreation and travel, Tourism, Travel (tourism), Transport, + + +

SIRI is a European CEN standard for the exchange of Public Transport real-time information.

+

This sub-schema describes the Estimated Timetable Service.

+
+ + text/xml + http://www.w3.org/2001/XMLSchema + XML schema, W3C Recommendation 2001 + + {http://www.siri.org.uk/schema/2.0/xsd/siri_model}siri_estimatedVehicleJourney.xsd + [ISO 639-2/B] ENG + Kizoom, 109-123 Clifton Street, London EC4A 4LD + + http://www.siri.org.uk/schema/2.0/xsd/siri_model/siri_journey.xsd + + + + CEN, VDV, RTIG 2004-2021 + + +
    +
  • Derived from the VDV, RTIG XML and Trident standards.
  • +
+ + Version 2.1 + + Arts, recreation and travel, Tourism, Travel (tourism), Transport, Air transport, Airports, Ports and maritime transport, Ferries (marine), Public transport, Bus services, Coach services, Bus stops and stations, @@ -80,392 +81,392 @@ Rail transport, Railway stations and track, Train services, Underground trains, Business and industry, Transport, Air transport, Ports and maritime transport, Public transport, Rail transport, Roads and road transport - CEN TC278 WG3 SG7 - - SIRI-ET XML schema. Service Interface for Real-time Information. Estimated Timetable Service. - Standard -
-
- SIRI-ET Estimated Timetable Service. -
- - - - - - - - A VEHICLE JOURNEY taking place on a particular date that will be managed by an AVMs. - - - - - If the journey is an alteration to a timetable, indicates the original journey and the nature of the difference. - - - - - - - - Identifer of a VEHICLE JOURNEY within data Horizon of a service. - - - - - Reference to a dated VEHICLE JOURNEY. This will be 'framed' i.e. be with the data context of the ESTIMATED Timetable. + CEN TC278 WG3 SG7 + + SIRI-ET XML schema. Service Interface for Real-time Information. Estimated Timetable Service. + Standard + + + SIRI-ET Estimated Timetable Service. + + + + + + + + + A VEHICLE JOURNEY taking place on a particular date that will be managed by an AVMs. + + + + + If the journey is an alteration to a timetable, indicates the original journey and the nature of the difference. + + + + + + + + Identifer of a VEHICLE JOURNEY within data Horizon of a service. + + + + + Reference to a dated VEHICLE JOURNEY. This will be 'framed' i.e. be with the data context of the ESTIMATED Timetable. DEPRECATED from SIRI 2.0 - - - - - - Additionally, identify the VEHICLE JOURNEY by origin and destination and the scheduled times at these stops. - - - - - - If this is the first message for an unplanned 'extra' VEHICLE JOURNEY, a new and unique code must be given for it. ExtraJourney should be set to 'true'. + + + + + + Additionally, identify the VEHICLE JOURNEY by origin and destination and the scheduled times at these stops. + + + + + + If this is the first message for an unplanned 'extra' VEHICLE JOURNEY, a new and unique code must be given for it. ExtraJourney should be set to 'true'. DEPRECATED from SIRI 2.0 - - - - - - - Whether this VEHICLE JOURNEY is an addition to the planning data already sent. Default is 'false': i.e. not an additional journey. - - - - - Whether this VEHICLE JOURNEY is a deletion of a previous scheduled journey. Default is 'false': this is not a VEHICLE JOURNEY that has been cancelled. An Extra Journey may be deleted. - - - - - - - - - A real-time SERVICE JOURNEY INTERCHANGE that may be made between the stops of two monitored journeys. It includes the current real-time predicted transfer and wait times. (since SIRI 2.0) - - - - - Type for Estimated SERVICE JOURNEY INTERCHANGE. - - - - - - - - Identifier of ESTIMATED SERVICE JOURNEY INTERCHANGE in case it is an addition to the plan. (since SIRI 2.1) - - - - - Reference to a physical CONNECTION LINK over which the SERVICE JOURNEY INTERCHANGE takes place. (since SIRI 2.0) - - - - - Reference to a connecting feeder VEHICLE JOURNEY. (since SIRI 2.0) - - - - - SCHEDULED STOP POINT at which feeder journey arrives. + + + + + + + Whether this VEHICLE JOURNEY is an addition to the planning data already sent. Default is 'false': i.e. not an additional journey. + + + + + Whether this VEHICLE JOURNEY is a deletion of a previous scheduled journey. Default is 'false': this is not a VEHICLE JOURNEY that has been cancelled. An Extra Journey may be deleted. + + + + + + + + + A real-time SERVICE JOURNEY INTERCHANGE that may be made between the stops of two monitored journeys. It includes the current real-time predicted transfer and wait times. (since SIRI 2.0) + + + + + Type for Estimated SERVICE JOURNEY INTERCHANGE. + + + + + + + + Identifier of ESTIMATED SERVICE JOURNEY INTERCHANGE in case it is an addition to the plan. (since SIRI 2.1) + + + + + Reference to a physical CONNECTION LINK over which the SERVICE JOURNEY INTERCHANGE takes place. (since SIRI 2.0) + + + + + Reference to a connecting feeder VEHICLE JOURNEY. (since SIRI 2.0) + + + + + SCHEDULED STOP POINT at which feeder journey arrives. Assuming, for example, that the feeder is redirected to another QUAY by a dispositive measure in order to shorten the transfer time, how do we communicate this change in the interchange? If the STOP POINTs are modelled QUAY accurate, FeederArrivalStopRef should always reference the STOP POINT of the new/expected QUAY (which was transmitted in the ESTIMATED VEHICLE JOURNEY). (since SIRI 2.1) - - - - - Sequence of visit to Feeder stop within Feeder JOURNEY PATTERN. - - - - - For implementations in which the overall order is not defined by VISIT NUMBER, i.e. in case VisitNumberIsOrder is set to false, + + + + + Sequence of visit to Feeder stop within Feeder JOURNEY PATTERN. + + + + + For implementations in which the overall order is not defined by VISIT NUMBER, i.e. in case VisitNumberIsOrder is set to false, ORDER can be used to associate the stop order instead. ORDER is also used together with VISIT NUMBER in scenarios where an extra CALL is inserted as a result of despatching alterations. Because such an extra CALL may have the same VisitNumber as another (cancelled) CALL, the STOP ORDER is needed. (since SIRI 2.1) - - - - - Planned time at which feeder VEHICLE is scheduled to arrive. (since SIRI 2.1) - - - - - Reference to a connecting distributor VEHICLE JOURNEY. (since SIRI 2.0) - - - - - SCHEDULED STOP POINT at which distributor journey departs. + + + + + Planned time at which feeder VEHICLE is scheduled to arrive. (since SIRI 2.1) + + + + + Reference to a connecting distributor VEHICLE JOURNEY. (since SIRI 2.0) + + + + + SCHEDULED STOP POINT at which distributor journey departs. Assuming that the distributor is directed to another QUAY (and that STOP POINTs are modelled QUAY accurate), DistributorDepartureStopRef should always reference the STOP POINT of the new/expected QUAY (which was transmitted in the ESTIMATED VEHICLE JOURNEY). (since SIRI 2.1) - - - - - Sequence of visit to Distributor stop within Distributor JOURNEY PATTERN. - - - - - For implementations in which the overall order is not defined by VISIT NUMBER, i.e. in case VisitNumberIsOrder is set to false, + + + + + Sequence of visit to Distributor stop within Distributor JOURNEY PATTERN. + + + + + For implementations in which the overall order is not defined by VISIT NUMBER, i.e. in case VisitNumberIsOrder is set to false, ORDER can be used to associate the stop order instead. ORDER is also used together with VISIT NUMBER in scenarios where an extra CALL is inserted as a result of despatching alterations. Because such an extra CALL may have the same VisitNumber as another (cancelled) CALL, the STOP ORDER is needed. (since SIRI 2.1) - - - - - Planned time at which distributor VEHICLE is scheduled to depart. (since SIRI 2.1) - - - - - Properties of SERVICE JOURNEY INTERCHANGE. It is important to note that the InterchangePropertyGroup displays planning data whereas, for example, + + + + + Planned time at which distributor VEHICLE is scheduled to depart. (since SIRI 2.1) + + + + + Properties of SERVICE JOURNEY INTERCHANGE. It is important to note that the InterchangePropertyGroup displays planning data whereas, for example, InterchangeStatus or Will(Not)Wait contain the real-time data. A SERVICE JOURNEY INTERCHANGE may be transmitted with "Guaranteed=true", but also WillNotWait due to major despatching alterations. However, Will(Not)Wait will always take precedence over the property Guaranteed, which means that WillNotWait breaks the connection regardless of whether Guarateed was transmitted. (since SIRI 2.1) - - - - - - - Whether this interchange is planned, updated, additional or cancelled. (since SIRI 2.1) - - - - - - Distributor will not wait, i.e., connection is not guaranteed or broken. SIRI 2.0 - - - - - Details about how (long) the distributor services may be held in order to guarantee the connection. (since SIRI 2.0) - - - - - - Time at which feeder VEHICLE is expected to arrive. (since SIRI 2.1) - - - - - Time at which distributor VEHICLE is expected to depart. (since SIRI 2.0) - - - - - Whether connection monitoring is active or not for this connection. (since SIRI 2.0) - - - - - Contains various types of transfer and wait times of a SERVICE JOURNEY INTERCHANGE. + + + + + + + Whether this interchange is planned, updated, additional or cancelled. (since SIRI 2.1) + + + + + + Distributor will not wait, i.e., connection is not guaranteed or broken. SIRI 2.0 + + + + + Details about how (long) the distributor services may be held in order to guarantee the connection. (since SIRI 2.0) + + + + + + Time at which feeder VEHICLE is expected to arrive. (since SIRI 2.1) + + + + + Time at which distributor VEHICLE is expected to depart. (since SIRI 2.0) + + + + + Whether connection monitoring is active or not for this connection. (since SIRI 2.0) + + + + + Contains various types of transfer and wait times of a SERVICE JOURNEY INTERCHANGE. Implementation Note: what happens if, for example, the interchange times and a QUAY change in xxxStopAssignment of the ESTIMATED VEHICLE JOURNEY suggest contradictory transfer/wait times? In case of doubt, the interchange times are to be favoured because they are transmitted explicitly. (since SIRI 2.1) - - - - - - - - Type for Will Wait details - - - - - Time up until which the distributor will wait. (since SIRI 2.0) - - - - - - DEPRECATED since SIRI 2.1 - - - - - Whether an acknowledgement has been received that the driver will wait. (since SIRI 2.1) - - - - - - - - - Type for Real-time info about a VEHICLE JOURNEY. - - - - - Time at which data of individual journey was recorded if differet from that of frame. ((since SIRI 2.0).) - - - - - - Gives the DATED VEHICLE JOURNEY + + + + + + + + Type for Will Wait details + + + + + Time up until which the distributor will wait. (since SIRI 2.0) + + + + + + DEPRECATED since SIRI 2.1 + + + + + Whether an acknowledgement has been received that the driver will wait. (since SIRI 2.1) + + + + + + + + + Type for Real-time info about a VEHICLE JOURNEY. + + + + + Time at which data of individual journey was recorded if differet from that of frame. ((since SIRI 2.0).) + + + + + + Gives the DATED VEHICLE JOURNEY which the vehicle is running and if the journey is an alteration to the timetable indicates the original journey and the nature of the difference. - - - - - - - - - - - - - - Complete sequence of stops already visited along the route path, in calling order. Only used if observed stop data is being recorded. (SIRI 2.0) - - - - - - - - - - Complete sequence of stops along the route path, in calling order. Normally this is only the onwards stops from the vehicle's current position. - - - - - - - - - - Whether the above call sequence is complete, i.e. represents every CALL of the SERVICE PATTERN and so can be used to replace a previous call sequence. Default is 'false'. - - - - - - Relations of the journey with other journeys, e.g., in case a joining/splitting takes place or the journey substitutes for another one etc. - - - - - - - - - Ordered sequence of SCHEDULED STOP POINTs called at by the VEHICLE JOURNEY. If IsCompleteStopSequence is false, may be just those stops that are altered. - - - - - This CALL is an addition to the respective journey in the production timetable or to the previously sent prediction. If omitted: CALL is planned. - - - - - This CALL is a cancellation of a previously announced call. - - - - - - - Type for real-time info about a VEHICLE JOURNEY Stop. - - - - - - - - - - - - - - - - - - Information relating to real-time properties of call. - - - - - - - - - - - Ordered sequence of SCHEDULED STOP POINTs called at by the VEHICLE JOURNEY. Only used if observed stop data is being recorded. (SIRI 2.0) - - - - - Type for recroded Real-time info about a VEHICLE JOURNEY Stop. - - - - - - - - - - - - - - - Information relating to recorded real-time properties of call. - - - - - - - - - - + + + Ordered sequence of SCHEDULED STOP POINTs called at by the VEHICLE JOURNEY. If IsCompleteStopSequence is false, may be just those stops that are altered. + + + + + This CALL is an addition to the respective journey in the production timetable or to the previously sent prediction. If omitted: CALL is planned. + + + + + This CALL is a cancellation of a previously announced call. + + + + + + + Type for real-time info about a VEHICLE JOURNEY Stop. + + + + + + + + + + + + + + + + + + Information relating to real-time properties of call. + + + + + + + + + + + Ordered sequence of SCHEDULED STOP POINTs called at by the VEHICLE JOURNEY. Only used if observed stop data is being recorded. (SIRI 2.0) + + + + + Type for recroded Real-time info about a VEHICLE JOURNEY Stop. + + + + + + + + + + + + + + + Information relating to recorded real-time properties of call. + + + + + + + + + + - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + +
diff --git a/xsd/siri_model/siri_facilities.xsd b/xsd/siri_model/siri_facilities.xsd index 7831a1f7..c7dd73fa 100644 --- a/xsd/siri_model/siri_facilities.xsd +++ b/xsd/siri_model/siri_facilities.xsd @@ -1,51 +1,52 @@ - - - - main schema - e-service developers - Add names - Europe - >Drafted for version 1.0 SIRI-X derived from XTIS Kizoom Incident Schema Nicholas Knowles, Kizoom. mailto:schemer@kizoom.org.uk - - 2004-09-29 - - - 2004-10-01 - - - 2005-11-18 - - - 2007-03-29 - - -

SIRI is a European CEN standard for the exchange of real-time information . + + + + main schema + e-service developers + Add names + Europe + >Drafted for version 1.0 SIRI-X derived from XTIS Kizoom Incident Schema Nicholas Knowles, Kizoom. mailto:schemer@kizoom.org.uk + + 2004-09-29 + + + 2004-10-01 + + + 2005-11-18 + + + 2007-03-29 + + +

SIRI is a European CEN standard for the exchange of real-time information . This subschema describes recommende values for facility and feature codes to use in the ServiceFeatureRef and VehicleFeatureRef and FeatureRef values.

-
- - text/xml - http://www.w3.org/2001/XMLSchema - XML schema, W3C Recommendation 2001 - - {http://www.siri.org.uk/schema/2.0/xsd/siri_model/}facilities.xsd - [ISO 639-2/B] ENG - CEN - + + + text/xml + http://www.w3.org/2001/XMLSchema + XML schema, W3C Recommendation 2001 + + {http://www.siri.org.uk/schema/2.0/xsd/siri_model/}facilities.xsd + [ISO 639-2/B] ENG + CEN + - - Kizoom 2000-2005, CEN 2009-2021 - - -
    -
  • Derived from the TPEG Categories schema as encoded in the Kizoom XTIS schema.
  • -
- - Version 2.1 - - Arts, recreation and travel, Tourism, Travel (tourism), Transport, + + + Kizoom 2000-2005, CEN 2009-2021 + + +
    +
  • Derived from the TPEG Categories schema as encoded in the Kizoom XTIS schema.
  • +
+ + Version 2.1 + + Arts, recreation and travel, Tourism, Travel (tourism), Transport, Air transport, Airports, Ports and maritime transport, Ferries (marine), Public transport, Bus services, Coach services, Bus stops and stations, @@ -53,465 +54,465 @@ Rail transport, Railway stations and track, Train services, Underground trains, Business and industry, Transport, Air transport, Ports and maritime transport, Public transport, Rail transport, Roads and road transport - CEN TC278 WG3 SG7 - - SIRI-SX XML schema. Facility code subschema - Standard -
-
- SIRi Facilities -
- - - - Facilities that apply to stops. - - - - - - - - - - tructured Classification Elements. Corresponds to TPEG 18 Event Reason. - - - - - - - - - - - - Classification of Access Facility. - - - - - - - - - Facilities that apply to stops. - - - - - - - - - - Facilities that apply to services. - - - - - - - - - Description of the features of any of the available facilities. - - - - - - - - - - - - - - - - - - - - - - - - Classification of Access Facility. - - - - - Values for Access Facility. - - - - - - - - - - - - - - - - - - - Classification of Accomodation Facility type - Tpeg pti23. - - - - - Values for Accomodation Facility: TPEG pti_table 23. - - - - - - - - - - - - - - - - - - - - - - Classification of Assistance Facility. - - - - - Values for Assistance Facility. - - - - - - - - - - - - - - - Classification of FareClass Facility type - Tpeg pti23. - - - - - Values for FareClass Facility: TPEG pti_table 23. - - - - - - - - - - - - - - - - - - - - - Classification of Hire Facility. - - - - - Values for Hire Facility. - - - - - - - - - - - - - - Classification of Luggage Facility type - Tpeg pti23. - - - - - Values for Luggage Facility: TPEG pti_table 23. - - - - - - - - - - - - - - - Classification of Mobility Facility type - Tpeg pti23. - - - - - Values for Mobility Facility: TPEG pti_table 23. - - - - - - - - - - - - - - - - - - - - - - - - - Classification of Nuisance Facility type - Tpeg pti23. - - - - - Values for Nuisance Facility: TPEG pti_table 23. - - - - - - - - - - - - - Classification of Access Facility. - - - - - Values for Access Facility. - - - - - - - - - - - - - - - Classification of PassengerInfo Facility type - Tpeg pti23. - - - - - Values for Passenger Information Facility. - - - - - - - - - - - - - - - - - - - - - - Classification of PassengerComms Facility type - Tpeg pti23. - - - - - Values for PassengerComms Facility: TPEG pti_table 23. - - - - - - - - - - - - - - - - - - - - - - Classification of Refreshment Facility type - Tpeg pti23. - - - - - Values for Refreshment Facility: TPEG pti_table 23. - - - - - - - - - - - - - - - - - - - - - - - - - Classification of Reserved Space Facility. - - - - - Values for Reserved Space Facility. - - - - - - - - - - - - - - - - Classification of Retail Facility. - - - - - Values for Retail Facility. - - - - - - - - - - - - - - - - - - - Classification of Sanitary Facility type - Tpeg pti23. - - - - - Values for Sanitary Facility: TPEG pti_table 23. - - - - - - - - - - - - - - - - Classification of Ticketing Facility type - Tpeg pti23. - - - - - Values for Ticketing Facility. - - - - - - - - - - - - - - - - + CEN TC278 WG3 SG7 + + SIRI-SX XML schema. Facility code subschema + Standard + + + SIRi Facilities + + + + + Facilities that apply to stops. + + + + + + + + + + tructured Classification Elements. Corresponds to TPEG 18 Event Reason. + + + + + + + + + + + + Classification of Access Facility. + + + + + + + + + Facilities that apply to stops. + + + + + + + + + + Facilities that apply to services. + + + + + + + + + Description of the features of any of the available facilities. + + + + + + + + + + + + + + + + + + + + + + + + Classification of Access Facility. + + + + + Values for Access Facility. + + + + + + + + + + + + + + + + + + + Classification of Accomodation Facility type - Tpeg pti23. + + + + + Values for Accomodation Facility: TPEG pti_table 23. + + + + + + + + + + + + + + + + + + + + + + Classification of Assistance Facility. + + + + + Values for Assistance Facility. + + + + + + + + + + + + + + + Classification of FareClass Facility type - Tpeg pti23. + + + + + Values for FareClass Facility: TPEG pti_table 23. + + + + + + + + + + + + + + + + + + + + + Classification of Hire Facility. + + + + + Values for Hire Facility. + + + + + + + + + + + + + + Classification of Luggage Facility type - Tpeg pti23. + + + + + Values for Luggage Facility: TPEG pti_table 23. + + + + + + + + + + + + + + + Classification of Mobility Facility type - Tpeg pti23. + + + + + Values for Mobility Facility: TPEG pti_table 23. + + + + + + + + + + + + + + + + + + + + + + + + + Classification of Nuisance Facility type - Tpeg pti23. + + + + + Values for Nuisance Facility: TPEG pti_table 23. + + + + + + + + + + + + + Classification of Access Facility. + + + + + Values for Access Facility. + + + + + + + + + + + + + + + Classification of PassengerInfo Facility type - Tpeg pti23. + + + + + Values for Passenger Information Facility. + + + + + + + + + + + + + + + + + + + + + + Classification of PassengerComms Facility type - Tpeg pti23. + + + + + Values for PassengerComms Facility: TPEG pti_table 23. + + + + + + + + + + + + + + + + + + + + + + Classification of Refreshment Facility type - Tpeg pti23. + + + + + Values for Refreshment Facility: TPEG pti_table 23. + + + + + + + + + + + + + + + + + + + + + + + + + Classification of Reserved Space Facility. + + + + + Values for Reserved Space Facility. + + + + + + + + + + + + + + + + Classification of Retail Facility. + + + + + Values for Retail Facility. + + + + + + + + + + + + + + + + + + + Classification of Sanitary Facility type - Tpeg pti23. + + + + + Values for Sanitary Facility: TPEG pti_table 23. + + + + + + + + + + + + + + + + Classification of Ticketing Facility type - Tpeg pti23. + + + + + Values for Ticketing Facility. + + + + + + + + + + + + + + + +
diff --git a/xsd/siri_model/siri_facility.xsd b/xsd/siri_model/siri_facility.xsd index f62ca499..54924f89 100644 --- a/xsd/siri_model/siri_facility.xsd +++ b/xsd/siri_model/siri_facility.xsd @@ -1,64 +1,65 @@ - - - - main schema - e-service developers - CEN TC278 WG3 SG7 Team - Europe - Drafted for version 1.0 CEN TC278 WG3 SG7 Editor Nicholas Knowles, Kizoom. mailto:schemer@siri.org.uk - - 2005-11-15 - - - 2005-11-20 - - - 2007-03-29 - - - 2008-01-11 - - - 2008-07-05 - - - - 2011-01-19 - - - - 2012-03-23 - - - -

SIRI is a European CEN standard for the exchange of real-time information. + + + + main schema + e-service developers + CEN TC278 WG3 SG7 Team + Europe + Drafted for version 1.0 CEN TC278 WG3 SG7 Editor Nicholas Knowles, Kizoom. mailto:schemer@siri.org.uk + + 2005-11-15 + + + 2005-11-20 + + + 2007-03-29 + + + 2008-01-11 + + + 2008-07-05 + + + + 2011-01-19 + + + + 2012-03-23 + + + +

SIRI is a European CEN standard for the exchange of real-time information. This is a package of type modules for equipment availability

-
- - text/xml - http://www.w3.org/2001/XMLSchema - XML schema, W3C Recommendation 2001 - - {http://www.siri.org.uk/schema/2.0/xsd/siri_model/}siri_facility.xsd - [ISO 639-2/B] ENG - CEN - - http://www.siri.org.uk/schema/2.0/xsd/siri_utility/siri_types.xsd - - - CEN, VDV, RTIG 2004-2021 - - -
    -
  • Derived from TransModel and Trident standards.
  • -
- - Version 2.1 - - Arts, recreation and travel, Tourism, Travel (tourism), Transport, + + + text/xml + http://www.w3.org/2001/XMLSchema + XML schema, W3C Recommendation 2001 + + {http://www.siri.org.uk/schema/2.0/xsd/siri_model/}siri_facility.xsd + [ISO 639-2/B] ENG + CEN + + http://www.siri.org.uk/schema/2.0/xsd/siri_utility/siri_types.xsd + + + + CEN, VDV, RTIG 2004-2021 + + +
    +
  • Derived from TransModel and Trident standards.
  • +
+ + Version 2.1 + + Arts, recreation and travel, Tourism, Travel (tourism), Transport, Air transport, Airports, Ports and maritime transport, Ferries (marine), Public transport, Bus services, Coach services, Bus stops and stations, @@ -66,270 +67,270 @@ Rail transport, Railway stations and track, Train services, Underground trains, Business and industry, Transport, Air transport, Ports and maritime transport, Public transport, Rail transport, Roads and road transport - CEN TC278 WG3 SG7 - - SIRI XML schema. Service Interface for Real-time Information relating to Public Transport Operations. Common Facility Elements - Standard -
-
- SIRi Facility model elemenys -
- - - - - - - - - - - - - - - - Type for identifier of a Faclility. - - - - - - Reference to a Facility. - - - - - Type for reference to a Faclility. - - - - - - - - - - Type for description of the MONITORED FACILITY itself. - - - - - Identfier of Facility. - - - - - Textual description of the facility. (Unbounded since SIRI 2.0) - - - - - Type of facility (several types may be associated to a single facility) - - - - - Features of service. - - - - - - Description of the feauture of the facility. Several features may be associated to a single facility. - - - - - - - - Refererence to identifier of owner of facility. - - - - - Textual description of the owner of the facility. - - - - - When Facility is normally avaialble. If not specified, default is 'always'. Values are Logically ANDed together. - - - - - Describes where the facility is located. The location is a Transmodel object reference or an NeTEx object reference. - - - - - - Accessibility of the facility. - - - - - - - - Group of Facility accessibility elements. - - - - - - - - - - - - - - - - Group of Facility accessibility elements. - - - - - Reference to a STOP PLACE. - - - - - System identifier of STOP PLACE component. Unique at least within STOP PLACE and concrete component type. - - - - - - - Group of Facility accessibility elements. - - - - - Limitation of facility. - - - - - - - - - - - Suitabilities of facility for specific passenger needs. - - - - - - Type of specific need for wich the facility is appropriate. - - - - - - - - - - Generic category of a facility. - - - - - - - - - - - - - - - - - - Summary information about Facility. Used in DISCOVERY. - - - - - - Whether real-time data is available for the stop. Default is 'true'. - - - - - Description of the facility (without its status) - - - - - - - - Allowed values for the status of a MONITORED FACILITY. - - - - - - - - - - - - - Allowed values for changes to the status of a facility. - - - - - - - - - - Allowed values for TypeOfCounting. - - - - - - - - - - - - - - - Allowed values for trend of a counting. - - - - - - - - - - - - - - - - Allowed values for units of what is counted + CEN TC278 WG3 SG7 + + SIRI XML schema. Service Interface for Real-time Information relating to Public Transport Operations. Common Facility Elements + Standard + + + SIRi Facility model elemenys + + + + + + + + + + + + + + + + + Type for identifier of a Faclility. + + + + + + Reference to a Facility. + + + + + Type for reference to a Faclility. + + + + + + + + + + Type for description of the MONITORED FACILITY itself. + + + + + Identfier of Facility. + + + + + Textual description of the facility. (Unbounded since SIRI 2.0) + + + + + Type of facility (several types may be associated to a single facility) + + + + + Features of service. + + + + + + Description of the feauture of the facility. Several features may be associated to a single facility. + + + + + + + + Refererence to identifier of owner of facility. + + + + + Textual description of the owner of the facility. + + + + + When Facility is normally avaialble. If not specified, default is 'always'. Values are Logically ANDed together. + + + + + Describes where the facility is located. The location is a Transmodel object reference or an NeTEx object reference. + + + + + + Accessibility of the facility. + + + + + + + + Group of Facility accessibility elements. + + + + + + + + + + + + + + + + Group of Facility accessibility elements. + + + + + Reference to a STOP PLACE. + + + + + System identifier of STOP PLACE component. Unique at least within STOP PLACE and concrete component type. + + + + + + + Group of Facility accessibility elements. + + + + + Limitation of facility. + + + + + + + + + + + Suitabilities of facility for specific passenger needs. + + + + + + Type of specific need for wich the facility is appropriate. + + + + + + + + + + Generic category of a facility. + + + + + + + + + + + + + + + + + + Summary information about Facility. Used in DISCOVERY. + + + + + + Whether real-time data is available for the stop. Default is 'true'. + + + + + Description of the facility (without its status) + + + + + + + + Allowed values for the status of a MONITORED FACILITY. + + + + + + + + + + + + + Allowed values for changes to the status of a facility. + + + + + + + + + + Allowed values for TypeOfCounting. + + + + + + + + + + + + + + + Allowed values for trend of a counting. + + + + + + + + + + + + + + + + Allowed values for units of what is counted bay: parking bay for cars, bicycle, scooter, etc otherSpaces: any other kind of spaces: lockers, standing spaces, toilets, etc. devices: electronic devices (audio guide, headphones, etc.) and physical devices (walking stick, wheelchair, etc.) @@ -344,416 +345,416 @@ Rail transport, Roads and road transport C (degree Celsius): means that a temperature is measured other: use of "other" requires the additional open ended TypeOfCountedFeature (monitoredCountingStructure) to be filled - - - - - - - - - - - - - - - - - - - - - - - - Description of the status of a MONITORED FACILITY. - - - - - Status of the facility. - - - - - Description of the facility Status. (Unbounded since SIRI 2.0) - - - - - Accessibility of the facility. - - - - - - - - Location of the MONITORED FACILITY. - - - - - Group of Facility accessibility elements. - - - - - Group of Facility accessibility elements. - - - - - - - - Monitored counted values. - - - - - Nature of what is counted. - - - - - Unit of type for what is being counted - - - - - Open ended type or refined classification of what is counted (complement to the information coming from the facility type itself) - - - - - - Counted value - - - - - Value as a percentage (0.0 to 100.0) of the maximum possible value - - - - - - Trend of the count - - - - - Accuracy of the count, as a percentage (0.0 to 100.0), the percentage being a + or - maximum deviation from the provided value - - - - - Description of what is counted - - - - - List of the IDs of the counted items: usefull mainly for reservation and detailed information purposes - - + + + + + + + + + + + + + + + + + + + + + + + + Description of the status of a MONITORED FACILITY. + + + + + Status of the facility. + + + + + Description of the facility Status. (Unbounded since SIRI 2.0) + + + + + Accessibility of the facility. + + + + + + + + Location of the MONITORED FACILITY. + + + + + Group of Facility accessibility elements. + + + + + Group of Facility accessibility elements. + + + + + + + + Monitored counted values. + - + + + Nature of what is counted. + + + + + Unit of type for what is being counted + + + + + Open ended type or refined classification of what is counted (complement to the information coming from the facility type itself) + + + + + + Counted value + + + + + Value as a percentage (0.0 to 100.0) of the maximum possible value + + + + + + Trend of the count + + + + + Accuracy of the count, as a percentage (0.0 to 100.0), the percentage being a + or - maximum deviation from the provided value + + + + + Description of what is counted + + + + + List of the IDs of the counted items: usefull mainly for reservation and detailed information purposes + + + + + + IDs of a counted item + + + + + + + + + + + + Description of any change concerning a MONITORED FACILITY New structure defined in SIRI XSD 1.1 for Facilities Management. + + + + + Description of any change concerning a MONITORED FACILITY New structure defined in SIRI XSD 1.1 for Facilities Management. + + + + + + Facility affected by condition. + + + + + + + Status of Facility. + + + + + + + + + + + + New position of the Facility referenced by the FacilityRef or described in the FacilityStructure + + + + + + Setup action to remedy the change of the facility status (if partialy or totaly anavailable) + + + + + Description of the mechanism used to monitor the change of the facility status. + + + + + Period (duration) of the status change for the facility. + + + + + + + + + Allowed values for actions to remedy a facility change. + + + + + + + + + + + + + Description of the remedy to the change of a facility status (mainly when it becomes partially or totally anavailable) + + + + + Type of the remedy (repair/replacement/remove) + + + + + Description of the set up remedy in natural language. (Unbounded since SIRI 2.0) + + + + + Validity period for the remedy + + + + + + + + + + Allowed values for the monitoring conditions (frequency of measurement, etc): an automatic monitoring of the status of a lift with pushed alert in case of incident is very different from a daily manual/visual check. + + + + + Mean time interval between two measurements. + + + + + How monitoring is automatic, manual, etc. + + + + + When the monitoring is in effect. If absent always. + + + + + + + + Allowed values for the types of monitoring: automatic or manual - describing the hardware transducer (video, GPS/Radio, in-road sensors, etc.) doesn't seeme useful for SIRI. + + + + + + + + + + Allowed values for the type for Description of the monitoring conditions (frequency of mesurement, etc): an automatic monitoring of the status of a lift with pushed alert in case of incident is very different from a daily manual/visual check. + + + + + Date and tme range within which condition is available. + + + + + Monitoring period within a single day (monitoring may not be available at night, or may ony occur at certain time of day for manual monitoring, etc.). Several periods can be defined. + + + + + Days type for monitoring availability. + + + + + Holiday type for monitoring availability. + + + + + + + + A change to the availaibility of EQUIPMENT. Basic structure defined in the first 1.0 SIRI XSd. + + + + + Type for Availaibility Change of EQUIPMENT. + + + + + Reference to an EQUIPMENT. + + + + + Description of EQUIPMENT. (Unbounded since SIRI 2.0) + + + + + Reference to a TYPE OF EQUIPMENT. + + + + + Period for which change to EQUIPMENT status applies applies. If omitted, indefinite period. + + + + + Availability status of the EQUIPMENT. Default is 'notAvailable'. + + + + + Service Features associated with equipment. + + + + + + Service or Stop features associated with equipment. Recommended values based on TPEG are given in SIRI documentation and enumerated in the siri_facilities package. + + + + + + + + + + + Type for change to equipment availability. Basic structure defined in the first 1.0 SIRI XSd. + + + + + Availability change for Equipment item. + + + + + + Effect of change on impaired access users. + + + + + + + + + Type for effect of EQUIPMENT availability change on impaired access users. + + + + + Whether stop or service is accessible to mobility impaired users. This may be further qualified by one or more MobilityFacility instances to specify which types of mobility access are available (true) or not available (false). For example suitableForWheelChair, or stepFreeAccess. + + + + + Classification of Mobility Facility type - Based on Tpeg pti23. + + + + + + + Elements describing nature of disruption. + + + + + Information about a change of the formation (e.g. TRAIN composition) or changes of vehicles within the formation. (since SIRI 2.1) + + + + + Information about a change of Equipment availability at stop or on vehicle that may affect access or use. + + + + + This sequence is here only for compatibility reasons between Siri 1.0 and Siri 1.1 + + + + + + + + + + Classification of vehicle energy type. See Transmodel TypeOfFuel. (since SIRI 2.1) + + + + + Values for vehicle fuel type. Use of 'other' requires the additional open ended OtherTypeOfFuel to be filled. + + + - IDs of a counted item + An arbitrary vehicle fuel classification. - - - - - - - - Description of any change concerning a MONITORED FACILITY New structure defined in SIRI XSD 1.1 for Facilities Management. - - - - - Description of any change concerning a MONITORED FACILITY New structure defined in SIRI XSD 1.1 for Facilities Management. - - - - - - Facility affected by condition. - - - - - - - Status of Facility. - - - - - - - - - - - - New position of the Facility referenced by the FacilityRef or described in the FacilityStructure - - - - - - Setup action to remedy the change of the facility status (if partialy or totaly anavailable) - - - - - Description of the mechanism used to monitor the change of the facility status. - - - - - Period (duration) of the status change for the facility. - - - - - - - - - Allowed values for actions to remedy a facility change. - - - - - - - - - - - - - Description of the remedy to the change of a facility status (mainly when it becomes partially or totally anavailable) - - - - - Type of the remedy (repair/replacement/remove) - - - - - Description of the set up remedy in natural language. (Unbounded since SIRI 2.0) - - - - - Validity period for the remedy - - - - - - - - - - Allowed values for the monitoring conditions (frequency of measurement, etc): an automatic monitoring of the status of a lift with pushed alert in case of incident is very different from a daily manual/visual check. - - - - - Mean time interval between two measurements. - - - - - How monitoring is automatic, manual, etc. - - - - - When the monitoring is in effect. If absent always. - - - - - - - - Allowed values for the types of monitoring: automatic or manual - describing the hardware transducer (video, GPS/Radio, in-road sensors, etc.) doesn't seeme useful for SIRI. - - - - - - - - - - Allowed values for the type for Description of the monitoring conditions (frequency of mesurement, etc): an automatic monitoring of the status of a lift with pushed alert in case of incident is very different from a daily manual/visual check. - - - - - Date and tme range within which condition is available. - - - - - Monitoring period within a single day (monitoring may not be available at night, or may ony occur at certain time of day for manual monitoring, etc.). Several periods can be defined. - - - - - Days type for monitoring availability. - - - - - Holiday type for monitoring availability. - - - - - - - - A change to the availaibility of EQUIPMENT. Basic structure defined in the first 1.0 SIRI XSd. - - - - - Type for Availaibility Change of EQUIPMENT. - - - - - Reference to an EQUIPMENT. - - - - - Description of EQUIPMENT. (Unbounded since SIRI 2.0) - - - - - Reference to a TYPE OF EQUIPMENT. - - - - - Period for which change to EQUIPMENT status applies applies. If omitted, indefinite period. - - - - - Availability status of the EQUIPMENT. Default is 'notAvailable'. - - - - - Service Features associated with equipment. - - - - - - Service or Stop features associated with equipment. Recommended values based on TPEG are given in SIRI documentation and enumerated in the siri_facilities package. - - - - - - - - - - - Type for change to equipment availability. Basic structure defined in the first 1.0 SIRI XSd. - - - - - Availability change for Equipment item. - - - - - - Effect of change on impaired access users. - - - - - - - - - Type for effect of EQUIPMENT availability change on impaired access users. - - - - - Whether stop or service is accessible to mobility impaired users. This may be further qualified by one or more MobilityFacility instances to specify which types of mobility access are available (true) or not available (false). For example suitableForWheelChair, or stepFreeAccess. - - - - - Classification of Mobility Facility type - Based on Tpeg pti23. - - - - - - - Elements describing nature of disruption. - - - - - Information about a change of the formation (e.g. TRAIN composition) or changes of vehicles within the formation. (since SIRI 2.1) - - - - - Information about a change of Equipment availability at stop or on vehicle that may affect access or use. - - - - - This sequence is here only for compatibility reasons between Siri 1.0 and Siri 1.1 - - - - - - - - - - Classification of vehicle energy type. See Transmodel TypeOfFuel. (since SIRI 2.1) - - - - - Values for vehicle fuel type. Use of 'other' requires the additional open ended OtherTypeOfFuel to be filled. - - - - - An arbitrary vehicle fuel classification. - - - -
diff --git a/xsd/siri_model/siri_feature_support.xsd b/xsd/siri_model/siri_feature_support.xsd index 48ce0738..e844f51b 100644 --- a/xsd/siri_model/siri_feature_support.xsd +++ b/xsd/siri_model/siri_feature_support.xsd @@ -1,62 +1,63 @@ - - - - main schema - e-service developers - CEN TC278 WG3 SG7 Team - Europe - Drafted for version 1.0 CEN TC278 WG3 SG7 Editor Nicholas Knowles, Kizoom. mailto:schemer@siri.org.uk - - 2004-09-29 - - - 2004-10-01 - - - 2005-02-14 - - - 2005-02-20 - - - 2005-03-20 - - - 2005-05-11 - - - 2007-03-29 - - - 2012-03-22 - - - -

SIRI is a European CEN standard for the exchange of real-time information .

-

This package defines common basic domain model identifier elements that are used in one or more SIRI fucntional service.

-
- - text/xml - http://www.w3.org/2001/XMLSchema - XML schema, W3C Recommendation 2001 - - {http://www.siri.org.uk/schema/2.0/xsd/siri_model/}siri_feature.xsd - [ISO 639-2/B] ENG - Kizoom, 109-123 Clifton Street, London EC4A 4LD - - CEN, VDV, RTIG 2004-2021 - - -
    -
  • Derived from the VDV, RTIG CML and Trident standards.
  • -
- - Version 2.1 - - Arts, recreation and travel, Tourism, Travel (tourism), Transport, + + +

SIRI is a European CEN standard for the exchange of real-time information .

+

This package defines common basic domain model identifier elements that are used in one or more SIRI fucntional service.

+
+ + text/xml + http://www.w3.org/2001/XMLSchema + XML schema, W3C Recommendation 2001 + + {http://www.siri.org.uk/schema/2.0/xsd/siri_model/}siri_feature.xsd + [ISO 639-2/B] ENG + Kizoom, 109-123 Clifton Street, London EC4A 4LD + + + CEN, VDV, RTIG 2004-2021 + + +
    +
  • Derived from the VDV, RTIG CML and Trident standards.
  • +
+ + Version 2.1 + + Arts, recreation and travel, Tourism, Travel (tourism), Transport, Air transport, Airports, Ports and maritime transport, Ferries (marine), Public transport, Bus services, Coach services, Bus stops and stations, @@ -64,82 +65,82 @@ Rail transport, Railway stations and track, Train services, Underground trains, Business and industry, Transport, Air transport, Ports and maritime transport, Public transport, Rail transport, Roads and road transport - CEN TC278 WG3 SG7 - - SIRI XML schema. Service Interface for Real-time Information relating to Public Transport Operations. Common DomainModel elements. - Standard -
-
-
- - - - Type for identifier of a TYPE OF PRODUCT CATEGORY. - - - - - - Type for reference to a TYPE OF PRODUCT CATEGORY. - - - - - - - - - Type for identifier of a ServiceCategory. SIRI provides a recommended set of values covering most usages, intended to be TPEG comnpatible. See the SIRI facilities packaged. - - - - - - Classification of service into arbitrary Service categories, e.g. school bus. SIRI provides a recommended set of values covering most usages, intended to be TPEG comnpatible. See the SIRI facilities packaged. - - - - - Type for reference to a ServiceCategory. - - - - - - - - - Type for identifier of a Vehicle Feature. SIRI provides a recommended set of values covering most usages, intended to be TPEG comnpatible. See the SIRI facilities packaged. - - - - - - Type for reference to a Vehicle Feature Code. SIRI provides a recommended set of values covering most usages, intended to be TPEG comnpatible. See the SIRI facilities packaged. - - - - - - - - - Classification of facilities into arbitrary Facility categories. SIRI provides a recommended set of values covering most usages. SIRI provides a recommended set of values covering most usages, intended to be TPEG comnpatible. See the SIRI facilities packaged. - - - - - Type for identifier of a StopFeature. SIRI provides a recommended set of values covering most usages, intended to be TPEG comnpatible. See the SIRI facilities packaged. - - - - - - Type for reference to a Feature Code. - - - - - - + CEN TC278 WG3 SG7 + + SIRI XML schema. Service Interface for Real-time Information relating to Public Transport Operations. Common DomainModel elements. + Standard + + + + + + + Type for identifier of a TYPE OF PRODUCT CATEGORY. + + + + + + Type for reference to a TYPE OF PRODUCT CATEGORY. + + + + + + + + + Type for identifier of a ServiceCategory. SIRI provides a recommended set of values covering most usages, intended to be TPEG comnpatible. See the SIRI facilities packaged. + + + + + + Classification of service into arbitrary Service categories, e.g. school bus. SIRI provides a recommended set of values covering most usages, intended to be TPEG comnpatible. See the SIRI facilities packaged. + + + + + Type for reference to a ServiceCategory. + + + + + + + + + Type for identifier of a Vehicle Feature. SIRI provides a recommended set of values covering most usages, intended to be TPEG comnpatible. See the SIRI facilities packaged. + + + + + + Type for reference to a Vehicle Feature Code. SIRI provides a recommended set of values covering most usages, intended to be TPEG comnpatible. See the SIRI facilities packaged. + + + + + + + + + Classification of facilities into arbitrary Facility categories. SIRI provides a recommended set of values covering most usages. SIRI provides a recommended set of values covering most usages, intended to be TPEG comnpatible. See the SIRI facilities packaged. + + + + + Type for identifier of a StopFeature. SIRI provides a recommended set of values covering most usages, intended to be TPEG comnpatible. See the SIRI facilities packaged. + + + + + + Type for reference to a Feature Code. + + + + + +
diff --git a/xsd/siri_model/siri_interchangeJourney.xsd b/xsd/siri_model/siri_interchangeJourney.xsd index a95c1549..e1ad43e9 100644 --- a/xsd/siri_model/siri_interchangeJourney.xsd +++ b/xsd/siri_model/siri_interchangeJourney.xsd @@ -1,48 +1,50 @@ - - - - main schema - e-service developers - CEN TC278 WG3 SG7 Team - Dipl.-Ing. Sven Juergens psitrans juergens@psitrans.de - Gustav Thiessen BLIC thi@BLIC.DE - Europe - Drafted for version 1.0 CEN TC278 WG3 SG7 Editor Nicholas Knowles, Kizoom. mailto:schemer@siri.org.uk - 2012-03-29 - + + + + main schema + e-service developers + CEN TC278 WG3 SG7 Team + Dipl.-Ing. Sven Juergens psitrans juergens@psitrans.de + Gustav Thiessen BLIC thi@BLIC.DE + Europe + Drafted for version 1.0 CEN TC278 WG3 SG7 Editor Nicholas Knowles, Kizoom. mailto:schemer@siri.org.uk + + 2012-03-29 + - 2012-03-20 + 2012-03-20 (since SIRI 2.0) - -

SIRI is a European CEN technical standard for the exchange of Public Transport real-time information.

-

This sub-schema describes the Connection Timetable Service, which provides timetables of planned connections at a connection point.

-
- - text/xml - http://www.w3.org/2001/XMLSchema - XML schema, W3C Recommendation 2001 - - {http://www.siri.org.uk/schema/siri/2.0/xsd/}siri_connectionTimetable_service.xsd - [ISO 639-2/B] ENG - Kizoom, 109-123 Clifton Street, London EC4A 4LD - - http://www.siri.org.uk/schema/2.0/xsd/siri/siri_requests.xsd - http://www.siri.org.uk/schema/2.0/xsd/siri_model/siri_journey.xsd - - - CEN, VDV, RTIG 2004-2021 + +

SIRI is a European CEN technical standard for the exchange of Public Transport real-time information.

+

This sub-schema describes the Connection Timetable Service, which provides timetables of planned connections at a connection point.

+
+ + text/xml + http://www.w3.org/2001/XMLSchema + XML schema, W3C Recommendation 2001 + + {http://www.siri.org.uk/schema/siri/2.0/xsd/}siri_connectionTimetable_service.xsd + [ISO 639-2/B] ENG + Kizoom, 109-123 Clifton Street, London EC4A 4LD + + http://www.siri.org.uk/schema/2.0/xsd/siri/siri_requests.xsd + http://www.siri.org.uk/schema/2.0/xsd/siri_model/siri_journey.xsd + + + + CEN, VDV, RTIG 2004-2021 - -
    -
  • Derived from the VDV, RTIG XML and Trident standards.
  • -
- - Version 2.1 - - Arts, recreation and travel, Tourism, Travel (tourism), Transport, + +
    +
  • Derived from the VDV, RTIG XML and Trident standards.
  • +
+ + Version 2.1 + + Arts, recreation and travel, Tourism, Travel (tourism), Transport, Air transport, Airports, Ports and maritime transport, Ferries (marine), Public transport, Bus services, Coach services, Bus stops and stations, @@ -50,39 +52,39 @@ Rail transport, Railway stations and track, Train services, Underground trains, Business and industry, Transport, Air transport, Ports and maritime transport, Public transport, Rail transport, Roads and road transport - CEN TC278 WG3 SG7 - - -SIRI-CT Interchange journey for Service Interface for Real-time Information. Connection Timetable Service. - Standard -
-
- SIRI-CT Interchange journey Connection Timetable Service. -
- - - - - - Type for feeder or Distributor Journey info about a VEHICLE JOURNEY. - - - - - - - - - - Whether there is real-time information available for journey. Default is 'true'. - - - - - On a Distributor journey, a timetabled departure time of the VEHICLE JOURNEY from the CONNECTION LINK for the SERVICE JOURNEY INTERCHANGE. On a Feeder journey a Timetabled arrival time of the VEHICLE JOURNEY at the CONNECTION link for the SERVICE JOURNEY INTERCHANGE. - - - - - - + CEN TC278 WG3 SG7 + + -SIRI-CT Interchange journey for Service Interface for Real-time Information. Connection Timetable Service. + Standard +
+
+ SIRI-CT Interchange journey Connection Timetable Service. +
+ + + + + + Type for feeder or Distributor Journey info about a VEHICLE JOURNEY. + + + + + + + + + + Whether there is real-time information available for journey. Default is 'true'. + + + + + On a Distributor journey, a timetabled departure time of the VEHICLE JOURNEY from the CONNECTION LINK for the SERVICE JOURNEY INTERCHANGE. On a Feeder journey a Timetabled arrival time of the VEHICLE JOURNEY at the CONNECTION link for the SERVICE JOURNEY INTERCHANGE. + + + + + +
diff --git a/xsd/siri_model/siri_journey.xsd b/xsd/siri_model/siri_journey.xsd index a6daed2c..36be9ac8 100644 --- a/xsd/siri_model/siri_journey.xsd +++ b/xsd/siri_model/siri_journey.xsd @@ -1,39 +1,39 @@ - - - - main schema - e-service developers - Cen TC278 WG3 SG7 Team - Europe - Drafted for version 1.0 CEN TC278 WG3 SG7 Editor Nicholas Knowles, Kizoom. mailto:schemer@siri.org.uk - - 2004-03-05 - - - 2004-10-06 - - - 2005-05-11 - - - 2005-11-15 - - - 2007-03-29 - - - 2008-11-13 - - - - 2011-04-18 - - - - 2012-03-22 - + + + 2011-04-18 + + + + 2012-03-22 + - - - 2012-04-27 - - - - 2013-01-25 - - - - 2013-02-11 - + + + 2013-02-11 + - - - 2014-06-20 - - - -

SIRI is a European CEN technical standard for the exchange of real-time information .

-

This subschema defines common journey elements.

-
- - text/xml - http://www.w3.org/2001/XMLSchema - XML schema, W3C Recommendation 2001 - - {http://www.siri.org.uk/schema/2.0/xsd/siri/}siri_journey.xsd - [ISO 639-2/B] ENG - Kizoom, 109-123 Clifton Street, London EC4A 4LD - - http://www.siri.org.uk/schema/2.0/xsd/siri_utility/siri_types.xsd - - - - CEN, VDV, RTIG 2004-2021 - - -
    -
  • Derived from the VDV, RTIG CML and Trident standards.
  • -
- - Version 2.1 - - Arts, recreation and travel, Tourism, Travel (tourism), Transport, + + +

SIRI is a European CEN technical standard for the exchange of real-time information .

+

This subschema defines common journey elements.

+
+ + text/xml + http://www.w3.org/2001/XMLSchema + XML schema, W3C Recommendation 2001 + + {http://www.siri.org.uk/schema/2.0/xsd/siri/}siri_journey.xsd + [ISO 639-2/B] ENG + Kizoom, 109-123 Clifton Street, London EC4A 4LD + + http://www.siri.org.uk/schema/2.0/xsd/siri_utility/siri_types.xsd + + + + CEN, VDV, RTIG 2004-2021 + + +
    +
  • Derived from the VDV, RTIG CML and Trident standards.
  • +
+ + Version 2.1 + + Arts, recreation and travel, Tourism, Travel (tourism), Transport, Air transport, Airports, Ports and maritime transport, Ferries (marine), Public transport, Bus services, Coach services, Bus stops and stations, @@ -112,1800 +112,1800 @@ Rail transport, Railway stations and track, Train services, Underground trains, Business and industry, Transport, Air transport, Ports and maritime transport, Public transport, Rail transport, Roads and road transport - CEN TC278 WG3 SG7 - - SIRI XML schema. Service Interface for Real-time Information relating to Public Transport Operations. Subschema of common Journey elements - Standard -
-
- SIRI Common Journey Model. -
- - - - - - - - - - - - - - - - Elements describing a VEHICLE JOURNEY. Values for these elements can be specified on an annual schedule and will be inherited, unless overriden, onto the production timetable and then onto the individul DATED VEHICLE JOURNEYs of the timetable. Each real-time journey (e.g. ESTIMATED VEHICLE JOURNEY or MONITORED VEHICLE JORUNEY) takes its values from the DATED VEHICLE JOURNEY that it follows. The absence of a value on an entity at a given level indicates that the value should be inherited (i) from any recent preceding update message for the same entity, or if there is no previous override, (ii) from its immediate parent entity. - - - - - For train services with named journeys. Train name, e.g. “West Coast Express”. If omitted: No train name. Inherited property. (Unbounded since SIRI 2.0) - - - - - - Contact details for use by members of public. (since SIRI 2.0) - - - - - Contact details for use by operational staff. (since SIRI 2.0) - - - - - - - Type for Simple Contact Details. - - - - - Phone number (since SIRI 2.0) - - - - - Url for contact (since SIRI 2.0) - - - - - - - - Common information about a VEHICLE JOURNEY. (Similar to VDV TripInfo) - - - - - - - - - - - End names for journey. - - - - - - Name of the origin of the journey. (Unbounded since SIRI 2.0) - - - - - Short name of the origin of the journey; used to help identify the VEHICLE JOURNEY on arrival boards. If absent, same as Origin Name. - - - - - DIRECTION name shown for jurney at the origin. (since SIRI 2.0) - - - - - Names of VIA points, used to help identify the LINE, for example, Luton to Luton via Sutton. Currently 3 in VDV. Should only be included if the detail level was requested. - - - - - Reference to a DESTINATION. - - - - - Description of the destination stop (vehicle signage), Can be overwritten for a journey, and then also section by section by the entry in an individual CALl. (Unbounded since SIRI 2.0) - - - - - Short name of the DESTINATION.of the journey; used to help identify the VEHICLE JOURNEY on arrival boards. If absent, same as DestinationName. (Unbounded since SIRI 2.0) - - - - - Origin name shown for jourey at the destination (since SIRI 2.0) - - - - - - - Type for VIA NAMes structure. - - - - - - - Relative priority to give to VIA name in displays. 1=high. Default is 2. (since SIRI 2.0) - - - - - - - - - - Type for Information about a DESTINATION. - - - - - Identifer of Destinatioin - - - - - Name of Destination - - - - - - - The name of the origin of the journey; used to help identify the VEHICLE JOURNEY on arrival boards. - - - - - Names of VIA points, used to help identify the LINEfor example, Luton to Luton via Sutton. Currently 3 in VDV. Should only be included if the detail level was requested. - - - - - The name of the DESTINATION of the journey; used to help identify the VEHICLE to the public. Note when used in a CALL, this is the Dynamic Destination Display: since vehicles can change their destination during a journey, the destination included here should be what the VEHICLE will display when it reaches the stop. - - - - - - Call times for journey. - - - - - Whether this is a Headway Service, that is shown as operating at a prescribed interval rather than to a fixed timetable. Default is 'false'. - - - - - Timetabled departure time from Origin. - - - - - Timetabled arrival time at Destination. - - - - - - - - Whether journey is first or last journey of day. (since SIRI 2.0) - - - - - Additional descriptive text associated with journey. Inherited property. - - - - - Description of a DIRECTION. - - - - - Type for DIRECTION. - - - - - Identifer of DIRECTION, - - - - - Description of DIRECTION. (Unbounded since SIRI 2.0) - - - - - - - - Operational information about the monitored VEHICLE JOURNEY. - - - - - - - - Refercence to other VEHICLE Journeys ((since SIRI 2.0)) - - - - - A reference to the DRIVER or Crew currently logged in to operate a monitored VEHICLE. May be omitted if real-time data is not available - i.e. it is timetabled data. (since SIRI 2.0) - - - - - The name oo the Driver or Crew (since SIRI 2.0) - - - - - - - Operational information about the monitored VEHICLE JOURNEY. - - - - - - - - - Operational information about the monitored VEHICLE JOURNEY. - - - - - BLOCK that VEHICLE is running. - - - - - COURSE OF JOURNEY ('Run') that VEHICLE is running. - - - - - - - Type for Progress between stops. - - - - - The total distance in metres between the previous stop and the next stop. - - - - - Percentage along link that VEHICLE has travelled. - - - - - - - - - Type for Abstract CALL at stop. - - - - - - - - - Elements describing the targeted CALL of a VEHICLE at a stop. - - - - - - - - - - - Elements describing the arrival of a VEHICLE at a stop. - - - - - - - - Assignment of planned arrival at scheduled STOP POINT to a phsyical QUAY (platform). If not given, assume same as for departure. (since SIRI 2.0). - - - - - - - - - Elements describing the departure of a VEHICLE from a stop. - - - - - - - - - - - - - - Type for Abstract CALL at stop. - - - - - - - - Elements describing the arrival status of a VEHICLE at a stop. - - - - - - - - - - Assignment of planned, expected and/or recorded arrival at STOP POINT to a phsyical QUAY (platform). If not given, assume same as for departure. (since SIRI 2.0). - - - - - - - - - - Elements describing the departure status of a VEHICLE from a stop. - - - - - - - - - - - - - - - - - - - - - - - - - - - Elements describing the CALL Properties Values for these elements can be specified on an production VEHICLE JOURNEY CALL. Each real-time journey CALL takes its values from the corresponding dated VEHICLE JOURNEY CALL. The absence of a value on an real-time CALL l indicates that the value should be inherited (i) from any recent preceding update message for the same entity, or if there is no previous override, (ii) from its immediate parent entity. - - - - - - Whether this is a Hail and Ride Stop. Default is 'false'. - - - - - Whether Vehicle stops only if requested explicitly by passenger. Default is 'false'. - - - - - Origin to show for the VEHICLE at the specific stop (vehicle signage), if different to the Origin Name for the full journey. (since SIRI 2.0) - - - - - Destination to show for the VEHICLE at the specific stop (vehicle signage), if different to the Destination Name for the full journey. - - - - - - - Annotations of the CALL. - - - - - Text annotation that applies to this CALL. - - - - - - - - Type for CALLing pattern for JOURNEY PATTERN. - - - - - - - - Type Onwards CALLs at stop. - - - - - - - - - - - - - - - - - Elements describing the CALL. Values for these elements can be specified on an production VEHICLE JOURNEY CALL. Each real-time journey CALL takes its values from the corresponding dated VEHICLE JOURNEY CALL. The absence of a value on an real-time CALL l indicates that the value should be inherited (i) from any recent preceding update message for the same entity, or if there is no previous override, (ii) from its immediate parent entity. - - - - - - - - - - - - - - Elements for Arrival in onward CALl. - - - - - - - - - Latest time at which a VEHICLE will arrive at stop. (since SIRI 2.1) - - - - - Prediction quality, either as approximate level, or more quantitative percentile range of predictions that will fall within a given range of times. (since SIRI 2.0) - - - - - - If the producer is (temporarily) not able to deliver real-time predictions (e.g. because of a connection loss), he has various options (and combinations of them) to inform the consumer: + CEN TC278 WG3 SG7 + + SIRI XML schema. Service Interface for Real-time Information relating to Public Transport Operations. Subschema of common Journey elements + Standard + + + SIRI Common Journey Model. + + + + + + + + + + + + + + + + + Elements describing a VEHICLE JOURNEY. Values for these elements can be specified on an annual schedule and will be inherited, unless overriden, onto the production timetable and then onto the individul DATED VEHICLE JOURNEYs of the timetable. Each real-time journey (e.g. ESTIMATED VEHICLE JOURNEY or MONITORED VEHICLE JORUNEY) takes its values from the DATED VEHICLE JOURNEY that it follows. The absence of a value on an entity at a given level indicates that the value should be inherited (i) from any recent preceding update message for the same entity, or if there is no previous override, (ii) from its immediate parent entity. + + + + + For train services with named journeys. Train name, e.g. “West Coast Express”. If omitted: No train name. Inherited property. (Unbounded since SIRI 2.0) + + + + + + Contact details for use by members of public. (since SIRI 2.0) + + + + + Contact details for use by operational staff. (since SIRI 2.0) + + + + + + + Type for Simple Contact Details. + + + + + Phone number (since SIRI 2.0) + + + + + Url for contact (since SIRI 2.0) + + + + + + + + Common information about a VEHICLE JOURNEY. (Similar to VDV TripInfo) + + + + + + + + + + + End names for journey. + + + + + + Name of the origin of the journey. (Unbounded since SIRI 2.0) + + + + + Short name of the origin of the journey; used to help identify the VEHICLE JOURNEY on arrival boards. If absent, same as Origin Name. + + + + + DIRECTION name shown for jurney at the origin. (since SIRI 2.0) + + + + + Names of VIA points, used to help identify the LINE, for example, Luton to Luton via Sutton. Currently 3 in VDV. Should only be included if the detail level was requested. + + + + + Reference to a DESTINATION. + + + + + Description of the destination stop (vehicle signage), Can be overwritten for a journey, and then also section by section by the entry in an individual CALl. (Unbounded since SIRI 2.0) + + + + + Short name of the DESTINATION.of the journey; used to help identify the VEHICLE JOURNEY on arrival boards. If absent, same as DestinationName. (Unbounded since SIRI 2.0) + + + + + Origin name shown for jourey at the destination (since SIRI 2.0) + + + + + + + Type for VIA NAMes structure. + + + + + + + Relative priority to give to VIA name in displays. 1=high. Default is 2. (since SIRI 2.0) + + + + + + + + + + Type for Information about a DESTINATION. + + + + + Identifer of Destinatioin + + + + + Name of Destination + + + + + + + The name of the origin of the journey; used to help identify the VEHICLE JOURNEY on arrival boards. + + + + + Names of VIA points, used to help identify the LINEfor example, Luton to Luton via Sutton. Currently 3 in VDV. Should only be included if the detail level was requested. + + + + + The name of the DESTINATION of the journey; used to help identify the VEHICLE to the public. Note when used in a CALL, this is the Dynamic Destination Display: since vehicles can change their destination during a journey, the destination included here should be what the VEHICLE will display when it reaches the stop. + + + + + + Call times for journey. + + + + + Whether this is a Headway Service, that is shown as operating at a prescribed interval rather than to a fixed timetable. Default is 'false'. + + + + + Timetabled departure time from Origin. + + + + + Timetabled arrival time at Destination. + + + + + + + + Whether journey is first or last journey of day. (since SIRI 2.0) + + + + + Additional descriptive text associated with journey. Inherited property. + + + + + Description of a DIRECTION. + + + + + Type for DIRECTION. + + + + + Identifer of DIRECTION, + + + + + Description of DIRECTION. (Unbounded since SIRI 2.0) + + + + + + + + Operational information about the monitored VEHICLE JOURNEY. + + + + + + + + Refercence to other VEHICLE Journeys ((since SIRI 2.0)) + + + + + A reference to the DRIVER or Crew currently logged in to operate a monitored VEHICLE. May be omitted if real-time data is not available - i.e. it is timetabled data. (since SIRI 2.0) + + + + + The name oo the Driver or Crew (since SIRI 2.0) + + + + + + + Operational information about the monitored VEHICLE JOURNEY. + + + + + + + + + Operational information about the monitored VEHICLE JOURNEY. + + + + + BLOCK that VEHICLE is running. + + + + + COURSE OF JOURNEY ('Run') that VEHICLE is running. + + + + + + + Type for Progress between stops. + + + + + The total distance in metres between the previous stop and the next stop. + + + + + Percentage along link that VEHICLE has travelled. + + + + + + + + + Type for Abstract CALL at stop. + + + + + + + + + Elements describing the targeted CALL of a VEHICLE at a stop. + + + + + + + + + + + Elements describing the arrival of a VEHICLE at a stop. + + + + + + + + Assignment of planned arrival at scheduled STOP POINT to a phsyical QUAY (platform). If not given, assume same as for departure. (since SIRI 2.0). + + + + + + + + + Elements describing the departure of a VEHICLE from a stop. + + + + + + + + + + + + + + Type for Abstract CALL at stop. + + + + + + + + Elements describing the arrival status of a VEHICLE at a stop. + + + + + + + + + + Assignment of planned, expected and/or recorded arrival at STOP POINT to a phsyical QUAY (platform). If not given, assume same as for departure. (since SIRI 2.0). + + + + + + + + + + Elements describing the departure status of a VEHICLE from a stop. + + + + + + + + + + + + + + + + + + + + + + + + + + + Elements describing the CALL Properties Values for these elements can be specified on an production VEHICLE JOURNEY CALL. Each real-time journey CALL takes its values from the corresponding dated VEHICLE JOURNEY CALL. The absence of a value on an real-time CALL l indicates that the value should be inherited (i) from any recent preceding update message for the same entity, or if there is no previous override, (ii) from its immediate parent entity. + + + + + + Whether this is a Hail and Ride Stop. Default is 'false'. + + + + + Whether Vehicle stops only if requested explicitly by passenger. Default is 'false'. + + + + + Origin to show for the VEHICLE at the specific stop (vehicle signage), if different to the Origin Name for the full journey. (since SIRI 2.0) + + + + + Destination to show for the VEHICLE at the specific stop (vehicle signage), if different to the Destination Name for the full journey. + + + + + + + Annotations of the CALL. + + + + + Text annotation that applies to this CALL. + + + + + + + + Type for CALLing pattern for JOURNEY PATTERN. + + + + + + + + Type Onwards CALLs at stop. + + + + + + + + + + + + + + + + + Elements describing the CALL. Values for these elements can be specified on an production VEHICLE JOURNEY CALL. Each real-time journey CALL takes its values from the corresponding dated VEHICLE JOURNEY CALL. The absence of a value on an real-time CALL l indicates that the value should be inherited (i) from any recent preceding update message for the same entity, or if there is no previous override, (ii) from its immediate parent entity. + + + + + + + + + + + + + + Elements for Arrival in onward CALl. + + + + + + + + + Latest time at which a VEHICLE will arrive at stop. (since SIRI 2.1) + + + + + Prediction quality, either as approximate level, or more quantitative percentile range of predictions that will fall within a given range of times. (since SIRI 2.0) + + + + + + If the producer is (temporarily) not able to deliver real-time predictions (e.g. because of a connection loss), he has various options (and combinations of them) to inform the consumer: (i) set Monitored to 'false' (ii) transmit ExpectedArrivalTime together with "PredictionInaccurate=true" (iii) drop/omit ExpectedArrivalTime (iv) set ArrivalStatus to 'noReport' However, this might introduce ambiguity: e.g. option (iii) might be interpreted as "on time" by one consumer, but also as "indefinite delay" by another consumer. To avoid this, the producer should transmit xxxPredictionUnknown instead of any expected times. (since SIRI 2.1) - - - - - - - - Elements for departure in ONWARD CALL. - - - - - - - - - Expected departure time of VEHICLE without waiting time due to operational actions. For people at stop this would normally be shown if different from Expected departure time. So if servcie decides not to wait may leave earler than expected departure time (since SIRI 2.0). - - - - - Earliest time at which VEHICLE may leave the stop. Used to secure connections. Used for passenger announcements. Passengers must be at boarding point by this time to be sure of catching VEHICLE. i.e. "Vehicle will not leave before this time" - may be revised from original aimed time. (since SIRI 2.0) - - - - - Prediction quality, either as approximate level, or more quantitative percentile range of predictions that will fall within a given range of times. (since SIRI 2.0) - - - - - - If the producer is (temporarily) not able to deliver real-time predictions (e.g. because of a connection loss), he has various options (and combinations of them) to inform the consumer: + + + + + + + + Elements for departure in ONWARD CALL. + + + + + + + + + Expected departure time of VEHICLE without waiting time due to operational actions. For people at stop this would normally be shown if different from Expected departure time. So if servcie decides not to wait may leave earler than expected departure time (since SIRI 2.0). + + + + + Earliest time at which VEHICLE may leave the stop. Used to secure connections. Used for passenger announcements. Passengers must be at boarding point by this time to be sure of catching VEHICLE. i.e. "Vehicle will not leave before this time" - may be revised from original aimed time. (since SIRI 2.0) + + + + + Prediction quality, either as approximate level, or more quantitative percentile range of predictions that will fall within a given range of times. (since SIRI 2.0) + + + + + + If the producer is (temporarily) not able to deliver real-time predictions (e.g. because of a connection loss), he has various options (and combinations of them) to inform the consumer: (i) set Monitored to 'false' (ii) transmit ExpectedDepartureTime together with "PredictionInaccurate=true" (iii) drop/omit ExpectedDepartureTime (iv) set DepartureStatus to 'noReport' However, this might introduce ambiguity: e.g. option (iii) might be interpreted as "on time" by one consumer, but also as "indefinite delay" by another consumer. To avoid this, the producer should transmit xxxPredictionUnknown instead of any expected times. (since SIRI 2.1) - - - - - - - - Elements describing the HEADWAY INTERVALs. - - - - - - - - - Elements describing the distance from the stop of a VEHICLE. (since SIRI 2.0). - - - - - Distance of VEHICLE from stop of CALL as measured along ROUTE track. Only shown if detail level is 'calls' or higher. Positive value denotes distance before stop. (since SIRI 2.0). - - - - - Count of stops along SERVICE PATTERN between current position of VEHICLE and stop of CALL as measured along ROUTE track. Only shown if detail level is 'calls' or higher. (since SIRI 2.0). - - - - - - - Type for Prediction Quality quantifcation. - - - - - An approxiimate characterisation of prediction quality as one of five values. (since SIRI 2.0) - - - - - - Percentile associated with range as specified by lower and upper bound. (since SIRI 2.0) - - - - - Lower bound on time of prediction for confidence level if different from defaults. (since SIRI 2.0) - - - - - Upper bound on time of prediction for confidence level if different from defaults. (since SIRI 2.0) - - - - - - - - - Area that encompasses the scheduled flexible stop locations according to the planned timetable. (since SIRI 2.1) - - - - - Reference to the scheduled location or flexible area. (since SIRI 2.1) - - - - - Name or description (e.g. address) of the scheduled location or flexible area. (since SIRI 2.1) - - - - - - Elements for location of flexible stops or service that allows pickup anywhere in a designated area. (since SIRI 2.1) - - - - - - - - Area that encompasses the expected flexible stop locations according to the real-time prediction. - - - - - - Name or description (e.g. address) of the expected location or flexible area. - - - - - Area that encompasses the actually recorded flexible stop locations. - - - - - - Name or description (e.g. address) of the actually recorded location or flexible area. - - - - - - - - Elements for assignment of a SCHEDULED STOP POINT to a specific QUAY or platform. (since SIRI 2.1) - - - - - Physical QUAY to use according to the planned timetable. (since SIRI 2.0) - - - - - Scheduled Platform name. Can be used to indicate platfrom change. (since SIRI 2.0) - - - - - Physical QUAY to use according to the real-time prediction. (since SIRI 2.0) - - - - - Expected Platform name. Can be used to indicate real-time prediction. (since SIRI 2.1) - - - - - Physical QUAY actually used. (since SIRI 2.0) - - - - - Actual Platform name. Can be used to indicate recorded platform. (since SIRI 2.1) - - - - - - - - - Elements for assignment of a SCHEDULED STOP POINT to a specific BOARDING POSITION or location on a QUAY. (since SIRI 2.1) - - - - - Physical BOARDING POSITION to use according to the planned timetable. - - - - - Scheduled BOARDING POSITION name. Can be used to indicate boarding position change. - - - - - Physical BOARDING POSITION to use according to the real-time prediction. - - - - - Expected BOARDING POSITION name. Can be used to indicate real-time prediction. - - - - - Actually recorded BOARDING POSITION. Can be used to indicate the actually used boarding position. - - - - - Recorded BOARDING POSITION name. Can be used to indicate the actually used boarding position. - - - - - - - - Type for assignment of a SCHEDULED STOP POINT to a physical location, in particular to a QUAY or BOARDING POSITION. (since SIRI 2.0). - - - - - - - - - - - - - Type for assignment of a SCHEDULED STOP POINT to a physical location, in particular to a QUAY or BOARDING POSITION, according to the planned timetable. (since SIRI 2.0). - - - - - - - Physical QUAY to use according to the planned timetable. (since SIRI 2.0) - - - - - Scheduled Platform name. (since SIRI 2.0) - - - - - - - - Physical BOARDING POSITION to use according to the planned timetable. (since SIRI 2.1) - - - - - Scheduled BOARDING POSITION name. (since SIRI 2.1) - - - - - - - - - - - - - Indicates the type of a nested QUAY in case of detailed STOP PLACE models. + + + + + + + + Elements describing the HEADWAY INTERVALs. + + + + + + + + + Elements describing the distance from the stop of a VEHICLE. (since SIRI 2.0). + + + + + Distance of VEHICLE from stop of CALL as measured along ROUTE track. Only shown if detail level is 'calls' or higher. Positive value denotes distance before stop. (since SIRI 2.0). + + + + + Count of stops along SERVICE PATTERN between current position of VEHICLE and stop of CALL as measured along ROUTE track. Only shown if detail level is 'calls' or higher. (since SIRI 2.0). + + + + + + + Type for Prediction Quality quantifcation. + + + + + An approxiimate characterisation of prediction quality as one of five values. (since SIRI 2.0) + + + + + + Percentile associated with range as specified by lower and upper bound. (since SIRI 2.0) + + + + + Lower bound on time of prediction for confidence level if different from defaults. (since SIRI 2.0) + + + + + Upper bound on time of prediction for confidence level if different from defaults. (since SIRI 2.0) + + + + + + + + + Area that encompasses the scheduled flexible stop locations according to the planned timetable. (since SIRI 2.1) + + + + + Reference to the scheduled location or flexible area. (since SIRI 2.1) + + + + + Name or description (e.g. address) of the scheduled location or flexible area. (since SIRI 2.1) + + + + + + Elements for location of flexible stops or service that allows pickup anywhere in a designated area. (since SIRI 2.1) + + + + + + + + Area that encompasses the expected flexible stop locations according to the real-time prediction. + + + + + + Name or description (e.g. address) of the expected location or flexible area. + + + + + Area that encompasses the actually recorded flexible stop locations. + + + + + + Name or description (e.g. address) of the actually recorded location or flexible area. + + + + + + + + Elements for assignment of a SCHEDULED STOP POINT to a specific QUAY or platform. (since SIRI 2.1) + + + + + Physical QUAY to use according to the planned timetable. (since SIRI 2.0) + + + + + Scheduled Platform name. Can be used to indicate platfrom change. (since SIRI 2.0) + + + + + Physical QUAY to use according to the real-time prediction. (since SIRI 2.0) + + + + + Expected Platform name. Can be used to indicate real-time prediction. (since SIRI 2.1) + + + + + Physical QUAY actually used. (since SIRI 2.0) + + + + + Actual Platform name. Can be used to indicate recorded platform. (since SIRI 2.1) + + + + + + + + + Elements for assignment of a SCHEDULED STOP POINT to a specific BOARDING POSITION or location on a QUAY. (since SIRI 2.1) + + + + + Physical BOARDING POSITION to use according to the planned timetable. + + + + + Scheduled BOARDING POSITION name. Can be used to indicate boarding position change. + + + + + Physical BOARDING POSITION to use according to the real-time prediction. + + + + + Expected BOARDING POSITION name. Can be used to indicate real-time prediction. + + + + + Actually recorded BOARDING POSITION. Can be used to indicate the actually used boarding position. + + + + + Recorded BOARDING POSITION name. Can be used to indicate the actually used boarding position. + + + + + + + + Type for assignment of a SCHEDULED STOP POINT to a physical location, in particular to a QUAY or BOARDING POSITION. (since SIRI 2.0). + + + + + + + + + + + + + Type for assignment of a SCHEDULED STOP POINT to a physical location, in particular to a QUAY or BOARDING POSITION, according to the planned timetable. (since SIRI 2.0). + + + + + + + Physical QUAY to use according to the planned timetable. (since SIRI 2.0) + + + + + Scheduled Platform name. (since SIRI 2.0) + + + + + + + + Physical BOARDING POSITION to use according to the planned timetable. (since SIRI 2.1) + + + + + Scheduled BOARDING POSITION name. (since SIRI 2.1) + + + + + + + + + + + + + Indicates the type of a nested QUAY in case of detailed STOP PLACE models. A QUAY may be part of a group of QUAYs, or may be divided into sectors, i.e., smaller sub-QUAYs. (since SIRI 2.1) - - - - - - Whether the prediction for a specific stop or the whole journey is considered to be of a useful accuracy or not. Default is 'false', i.e. prediction is considered to be accurate. + + + + + + Whether the prediction for a specific stop or the whole journey is considered to be of a useful accuracy or not. Default is 'false', i.e. prediction is considered to be accurate. If prediction is degraded, e.g. because of a situation, PredictionInaccurate is used to indicate a lowered quality of data. Inherited property. PredictionInaccurate can be used in combination with InCongestion, but is more general. - - - - - Can be used to inform the passenger about the reason for a change of the prediction (in)accuracy in case PredictionInaccurate is set to 'true'. (since SIRI 2.1) - - - - - An approximate figure of how occupied the journey is after departing from a given stop, e.g. 'manySeatsAvailable' or 'standingRoomOnly'. If omitted: Passenger load is unknown. + + + + + Can be used to inform the passenger about the reason for a change of the prediction (in)accuracy in case PredictionInaccurate is set to 'true'. (since SIRI 2.1) + + + + + An approximate figure of how occupied the journey is after departing from a given stop, e.g. 'manySeatsAvailable' or 'standingRoomOnly'. If omitted: Passenger load is unknown. Occupancies and capacities for individual VEHICLEs, e.g. parts of a COMPOUND TRAIN, can also be specified in more detail for the departure on CALL level. - - - - - - Target arrival time of VEHICLE at stop according to latest working timetable. - - - - - Observed time of arrival of VEHICLE at stop. - - - - - Estimated time of arriival of VEHICLE at stop . - - - - - Classification of the timeliness of the visit according to a fixed list of values. If not specified, same as DepartureStatus. - - - - - Text annotation to be used in cases where ArrivalStatus is set to 'cancelled'. (since SIRI 2.1) - - - - - Arbitrary text string to show to indicate the status of the departure of the VEHICLE for example, “Enroute”, “5 Km”, “Approaching”. May depend on the policy of the OPERATOR, for example show “Approaching” if less than 200metres away from stop. (since SIRI 2.0) - - - - - Bay or platform (QUAY) name to show passenger i.e. expected platform for vehicle to arrive at. + + + + + + Target arrival time of VEHICLE at stop according to latest working timetable. + + + + + Observed time of arrival of VEHICLE at stop. + + + + + Estimated time of arriival of VEHICLE at stop . + + + + + Classification of the timeliness of the visit according to a fixed list of values. If not specified, same as DepartureStatus. + + + + + Text annotation to be used in cases where ArrivalStatus is set to 'cancelled'. (since SIRI 2.1) + + + + + Arbitrary text string to show to indicate the status of the departure of the VEHICLE for example, “Enroute”, “5 Km”, “Approaching”. May depend on the policy of the OPERATOR, for example show “Approaching” if less than 200metres away from stop. (since SIRI 2.0) + + + + + Bay or platform (QUAY) name to show passenger i.e. expected platform for vehicle to arrive at. Inheritable property. Can be omitted if the same as the DeparturePlatformName If there no arrival platform name separate from the departure platform name, the precedence is: (i) any arrival platform on any related dated timetable element, (ii) any departure platform name on this estimated element; (iii) any departure platform name on any related dated timetable CALL. - - - - - Type of alighting allowed at stop. Default is 'Alighting'. - - - - - Assignment of a TRAIN formation to a physical QUAY (platform or sectors thereof). If not given, assume same as for departure. (since SIRI 2.1) - - - - - Indication of the direction of travel of the vehicle (e.g. TRAIN formation) with respect to the platform, or more precisely the QUAY. Unbounded to allow multiple languages. (since SIRI 2.1) + + + + + Type of alighting allowed at stop. Default is 'Alighting'. + + + + + Assignment of a TRAIN formation to a physical QUAY (platform or sectors thereof). If not given, assume same as for departure. (since SIRI 2.1) + + + + + Indication of the direction of travel of the vehicle (e.g. TRAIN formation) with respect to the platform, or more precisely the QUAY. Unbounded to allow multiple languages. (since SIRI 2.1) Examples: - "towards A" or "towards sector A" if the QUAY is separated into sub-QUAYs or so called sectors. This would be equivalent to the vehicle arriving at sector A first when approaching the QUAY with sectors A-B-C-D. If the arriving vehicle is represented as an arrow, "towards A" would be abstracted as "=> A-B-C-D". - "towards 0" or "towards reference point 0" if sectors are not available or the QUAY has a reference point, e.g. for measuring the length of the QUAY, identified by "0". This would be equivalent to the vehicle arriving at this reference point first when approaching the QUAY. If the arriving vehicle is represented as an arrow, "towards 0" would be abstracted as "=> 0...100". "100" (as in percent) could denote the opposite side of the QUAY (measured at the full length of the QUAY with respect to the reference point). It is advised to specify a reference point that is meaningful for passengers on location. - - - - - OPERATORs of of service up until arrival. May change for departure. (since SIRI 2.0). - - - - - - Arrival times for CALL. - - - - - - - - - - - - - Target departure time of VEHICLE from stop according to latest working timetable. - - - - - Observed time of departure of VEHICLE from stop. - - - - - Estimated time of departure of VEHICLE from stop, most likely taking into account all control actions such as waiting. - - - - - Latest target time at which a PASSENGER should aim to arrive at the STOP PLACE containing the stop. This time may be earlier than the VEHICLE departure times and may include time for processes such as checkin, security, etc.(As specified by CHECK CONSTRAINT DELAYs in the underlying data). If absent assume to be the same as Earliest expected departure time. (since SIRI 2.0) - - - - - Latest expected time at which a PASSENGER should aim to arrive at the STOP PLACE containing the stop. This time may be earlier than the VEHICLE departure times and may include time for processes such as checkin, security, etc.(As specified by CHECK CONSTRAINT DELAYs in the underlying data). If absent assume to be the same as Earliest expected departure time. (since SIRI 2.0) - - - - - Classification of the timeliness of the departure part of the CALL, according to a fixed list of values. This may reflect a presentation policy, for example CALLs less than one minute behind target time are still classified as on-time. Applications may use this to guide their own presentation of times. - - - - - Text annotation to be used in cases where DepartureStatus is set to 'cancelled'. (since SIRI 2.1) - - - - - Arbitrary text string to show to indicate the status of the departure of the vehicle, for example, “Boarding”, “GatesClosed”. (since SIRI 2.0) - - - - - Departure QUAY (bay or platform) name. Default taken from planned timetable. - - - - - Nature of boarding allowed at stop. Default is 'Boarding'. - - - - - Assignment of a TRAIN formation to a physical QUAY (platform or sectors thereof). (since SIRI 2.1) - - - - - Indication of the direction of travel of the vehicle (e.g. TRAIN formation) with respect to the platform, or more precisely the QUAY. Unbounded to allow multiple languages. (since SIRI 2.1) + + + + + OPERATORs of of service up until arrival. May change for departure. (since SIRI 2.0). + + + + + + Arrival times for CALL. + + + + + + + + + + + + + Target departure time of VEHICLE from stop according to latest working timetable. + + + + + Observed time of departure of VEHICLE from stop. + + + + + Estimated time of departure of VEHICLE from stop, most likely taking into account all control actions such as waiting. + + + + + Latest target time at which a PASSENGER should aim to arrive at the STOP PLACE containing the stop. This time may be earlier than the VEHICLE departure times and may include time for processes such as checkin, security, etc.(As specified by CHECK CONSTRAINT DELAYs in the underlying data). If absent assume to be the same as Earliest expected departure time. (since SIRI 2.0) + + + + + Latest expected time at which a PASSENGER should aim to arrive at the STOP PLACE containing the stop. This time may be earlier than the VEHICLE departure times and may include time for processes such as checkin, security, etc.(As specified by CHECK CONSTRAINT DELAYs in the underlying data). If absent assume to be the same as Earliest expected departure time. (since SIRI 2.0) + + + + + Classification of the timeliness of the departure part of the CALL, according to a fixed list of values. This may reflect a presentation policy, for example CALLs less than one minute behind target time are still classified as on-time. Applications may use this to guide their own presentation of times. + + + + + Text annotation to be used in cases where DepartureStatus is set to 'cancelled'. (since SIRI 2.1) + + + + + Arbitrary text string to show to indicate the status of the departure of the vehicle, for example, “Boarding”, “GatesClosed”. (since SIRI 2.0) + + + + + Departure QUAY (bay or platform) name. Default taken from planned timetable. + + + + + Nature of boarding allowed at stop. Default is 'Boarding'. + + + + + Assignment of a TRAIN formation to a physical QUAY (platform or sectors thereof). (since SIRI 2.1) + + + + + Indication of the direction of travel of the vehicle (e.g. TRAIN formation) with respect to the platform, or more precisely the QUAY. Unbounded to allow multiple languages. (since SIRI 2.1) Examples: - "towards A" or "towards sector A" if the QUAY is separated into sub-QUAYs or so called sectors. This would be equivalent to the vehicle departing in the direction of sector A on a QUAY with sectors A-B-C-D. If the departing vehicle is represented as an arrow, "towards A" would be abstracted as "<= A-B-C-D". - "towards 0" or "towards reference point 0" if sectors are not available or the QUAY has a reference point, e.g. for measuring the length of the QUAY, identified by "0". This would be equivalent to the vehicle departing in the direction of this reference point. If the departing vehicle is represented as an arrow, "towards 0" would be abstracted as "<= 0...100". "100" (as in percent) could denote the opposite side of the QUAY (measured at the full length of the QUAY with respect to the reference point). It is advised to specify a reference point that is meaningful for passengers on location. - - - - - Expected/Predicted real-time occupancies of a VEHICLE and reservations after departing from a given stop. (since SIRI 2.1) - - - - - Expected/Predicted real-time capacities (number of available seats) of a VEHICLE after departing from a given stop. Alternative way to communicate occupancy measurements. (since SIRI 2.1) - - - - - Actually recorded/counted occupancies of a VEHICLE and reserved seats after departing from a given stop. (since SIRI 2.1) - - - - - Actually recorded/counted capacities of a VEHICLE after departing from a given stop. Alternative way to communicate occupancy measurements. (since SIRI 2.1) - - - - - OPERATORs of service for departure and onwards. May change from that for arrival. (since SIRI 2.0). - - - - - - Departure times for CALL. - - - - - - - - - - - - Passenger arrival times at STOP PLACE in order to meet VEHICLE departure times for CALL. - - - - - - - - - - For frequency based services, target interval between vehicles at stop. - - - - - For frequency based services, expected interval between vehicles at stop. - - - - - For frequency based services, observed interval between vehicles at stop. - - - - - - Provides information about relations to other journeys. (since SIRI 2.1) - - - - - - - - - - Specifies the type of the relation, e.g., joining, splitting, replacement etc. (since SIRI 2.1) - - - - - - - - - Specifies which CALL or JOURNEY PART of the JOURNEY has a JOURNEY RELATION. (since SIRI 2.1) - - - - - - Information about the stop at which the JOURNEY is related to another JOURNEY. (since SIRI 2.1) - - - - - Information about the JOURNEY PARTs for which the JOURNEY has a JOURNEY RELATION. (since SIRI 2.1) - - - - - - Information about related parts of JOURNEY. (since SIRI 2.1) - - - - - - - - - - - The JOURNEY RELATION refers to this CALL. (since SIRI 2.1) - - - - - - - - - - - - - The JOURNEY RELATION refers to this JOURNEY PART. (since SIRI 2.1) - - - - - - - - Refers to the JOURNEY to which the current JOURNEY is related. (since SIRI 2.1) - - - - - - - - - - - - - - - Groups relevant elements of the formation model that are used on JOURNEY level. + + + + + Expected/Predicted real-time occupancies of a VEHICLE and reservations after departing from a given stop. (since SIRI 2.1) + + + + + Expected/Predicted real-time capacities (number of available seats) of a VEHICLE after departing from a given stop. Alternative way to communicate occupancy measurements. (since SIRI 2.1) + + + + + Actually recorded/counted occupancies of a VEHICLE and reserved seats after departing from a given stop. (since SIRI 2.1) + + + + + Actually recorded/counted capacities of a VEHICLE after departing from a given stop. Alternative way to communicate occupancy measurements. (since SIRI 2.1) + + + + + OPERATORs of service for departure and onwards. May change from that for arrival. (since SIRI 2.0). + + + + + + Departure times for CALL. + + + + + + + + + + + + Passenger arrival times at STOP PLACE in order to meet VEHICLE departure times for CALL. + + + + + + + + + + For frequency based services, target interval between vehicles at stop. + + + + + For frequency based services, expected interval between vehicles at stop. + + + + + For frequency based services, observed interval between vehicles at stop. + + + + + + Provides information about relations to other journeys. (since SIRI 2.1) + + + + + + + + + + Specifies the type of the relation, e.g., joining, splitting, replacement etc. (since SIRI 2.1) + + + + + + + + + Specifies which CALL or JOURNEY PART of the JOURNEY has a JOURNEY RELATION. (since SIRI 2.1) + + + + + + Information about the stop at which the JOURNEY is related to another JOURNEY. (since SIRI 2.1) + + + + + Information about the JOURNEY PARTs for which the JOURNEY has a JOURNEY RELATION. (since SIRI 2.1) + + + + + + Information about related parts of JOURNEY. (since SIRI 2.1) + + + + + + + + + + + The JOURNEY RELATION refers to this CALL. (since SIRI 2.1) + + + + + + + + + + + + + The JOURNEY RELATION refers to this JOURNEY PART. (since SIRI 2.1) + + + + + + + + Refers to the JOURNEY to which the current JOURNEY is related. (since SIRI 2.1) + + + + + + + + + + + + + + + Groups relevant elements of the formation model that are used on JOURNEY level. The TRAIN conceptual model represents VEHICLE TYPE properties that are peculiar to TRAINs. A TRAIN may comprise not just a single VEHICLE but a chain of carriages, TRAIN ELEMENTS, assembled as TRAIN COMPONENTs. Groups of carriages may be managed as sections by composing TRAINs into a COMPOUND TRAIN made up of multiple TRAIN IN COMPOUND TRAIN, for example in a train that joins or splits. (since SIRI 2.1) - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - Indication of the direction of travel of the vehicle (e.g. TRAIN formation) with respect to the platform, or more precisely the QUAY. (since SIRI 2.1) + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + Indication of the direction of travel of the vehicle (e.g. TRAIN formation) with respect to the platform, or more precisely the QUAY. (since SIRI 2.1) Examples: - "towards A" or "towards sector A" if the QUAY is separated into sub-QUAYs or so called sectors. This would be equivalent to the vehicle arriving or departing in the direction of sector A on a QUAY with sectors A-B-C-D. If the arriving vehicle is represented as an arrow, "towards A" would be abstracted as "=> A-B-C-D". If the departing vehicle is represented as an arrow, "towards A" would be abstracted as "<= A-B-C-D". - "towards 0" or "towards reference point 0" if sectors are not available or the QUAY has a reference point, e.g. for measuring the length of the QUAY, identified by "0". This would be equivalent to the vehicle arriving or departing in the direction of this reference point. If the arriving vehicle is represented as an arrow, "towards 0" would be abstracted as "=> 0...100". "100" (as in percent) could denote the opposite side of the QUAY (measured at the full length of the QUAY with respect to the reference point). If the departing vehicle is represented as an arrow, "towards 0" would be abstracted as "<= 0...100". It is advised to specify a reference point that is meaningful for passengers on location. - - - - - - - - Assignment of the arrival/departure of a VEHICLE within a formation, e.g. carriage in a TRAIN composition, to a physical QUAY or nested QUAY (i.e. platform or sector of a platform). (since SIRI 2.1) - - - - - - Information about a change of a VEHICLE within the formation, e.g., whether a VEHICLE is open, booked or has defective doors. - - - - - References to the QUAY on which the particular VEHICLE, i.e., component of the formation, arrives or departs from. + + + + + + + + Assignment of the arrival/departure of a VEHICLE within a formation, e.g. carriage in a TRAIN composition, to a physical QUAY or nested QUAY (i.e. platform or sector of a platform). (since SIRI 2.1) + + + + + + Information about a change of a VEHICLE within the formation, e.g., whether a VEHICLE is open, booked or has defective doors. + + + + + References to the QUAY on which the particular VEHICLE, i.e., component of the formation, arrives or departs from. If a QUAY is divided into sub-QUAYs or sectors (with the help of STOP ASSIGNMENTs), and a TRAIN COMPONENT spans over multiple sectors of the QUAY, the FORMATION ASSIGNMENT must reference all of them (in multiple STOP ASSIGNMENTs). - - - - - - - Information about a change of the formation (e.g. TRAIN composition) or changes of vehicles within the formation. (since SIRI 2.1) - - - - - Type for FORMATION CONDITION. (since SIRI 2.1) - - - - - - - Status of formation, e.g., whether it has changed compared to the plan, certain VEHICLEs or features are missing or extra VEHICLEs are added. - - - - - Status of a VEHICLE within formation, e.g., whether a VEHICLE is open, booked or has defective doors. - - - - - - - Information on recommendations for passengers on how to deal with the formation change. - - - - - - - - Description of the status of a monitored formation. - - - - - Status of the formation. - - - - - - - - Description of the status of a monitored vehicle. - - - - - Status of vehicle. - - - - - - - - Elements for FormationStatus that further describe the status of the formation, e.g. whether the accessibility has changed. (since SIRI 2.1) - - - - - Description of the status of a formation or a vehicle within the formation. - - - - - Accessibility of the formation or a vehicle within the formation. - - - - - - - - Description of the recommended action for passengers on how to deal with changes, for example of the TRAIN formation. - - - - - Type of the recommendation, e.g. 'unknown', 'replacement' or 'otherRoute'. - - - - - Description of the recommended action in natural language. - - - - - - - - - Elements for a PASSENGER CAPACITY. Used to indicate the maximum capacities of a TRAIN ELEMENT or the estimated/recorded capacities of a VEHICLE at a given stop, i.e., the number of seats available. (since SIRI 2.1) - - - - - The total capacity of the vehicle in number of passengers. - - - - - The seating capacity of the vehicle in number of passengers. - - - - - The standing capacity of the vehicle in number of passengers. - - - - - The number of special places on the vehicle, e.g. seats for the disabled or lounge seats. - - - - - The number of push chair places on the vehicle. - - - - - The number of wheelchair places on the vehicle. - - - - - The number of places on the vehicle that are suitable for prams. - - - - - The number of bicycle racks on the vehicle. - - - - - - - The intersection of supplied elements describes the extent that the Occupancy values applies to. (since SIRI 2.1) + + + + + + + Information about a change of the formation (e.g. TRAIN composition) or changes of vehicles within the formation. (since SIRI 2.1) + + + + + Type for FORMATION CONDITION. (since SIRI 2.1) + + + + + + + Status of formation, e.g., whether it has changed compared to the plan, certain VEHICLEs or features are missing or extra VEHICLEs are added. + + + + + Status of a VEHICLE within formation, e.g., whether a VEHICLE is open, booked or has defective doors. + + + + + + + Information on recommendations for passengers on how to deal with the formation change. + + + + + + + + Description of the status of a monitored formation. + + + + + Status of the formation. + + + + + + + + Description of the status of a monitored vehicle. + + + + + Status of vehicle. + + + + + + + + Elements for FormationStatus that further describe the status of the formation, e.g. whether the accessibility has changed. (since SIRI 2.1) + + + + + Description of the status of a formation or a vehicle within the formation. + + + + + Accessibility of the formation or a vehicle within the formation. + + + + + + + + Description of the recommended action for passengers on how to deal with changes, for example of the TRAIN formation. + + + + + Type of the recommendation, e.g. 'unknown', 'replacement' or 'otherRoute'. + + + + + Description of the recommended action in natural language. + + + + + + + + + Elements for a PASSENGER CAPACITY. Used to indicate the maximum capacities of a TRAIN ELEMENT or the estimated/recorded capacities of a VEHICLE at a given stop, i.e., the number of seats available. (since SIRI 2.1) + + + + + The total capacity of the vehicle in number of passengers. + + + + + The seating capacity of the vehicle in number of passengers. + + + + + The standing capacity of the vehicle in number of passengers. + + + + + The number of special places on the vehicle, e.g. seats for the disabled or lounge seats. + + + + + The number of push chair places on the vehicle. + + + + + The number of wheelchair places on the vehicle. + + + + + The number of places on the vehicle that are suitable for prams. + + + + + The number of bicycle racks on the vehicle. + + + + + + + The intersection of supplied elements describes the extent that the Occupancy values applies to. (since SIRI 2.1) Only vehicle-centric filter (measurement in a part or at an entrance of a TRAIN) are available here, but a stop-centric filtering (measurement in a sector or at a position on a QUAY) can be achieved indirectly via Arrival-/DepartureFormationAssignment. - - - - - - Fare class in VEHICLE for which occupancy or capacities are specified. - - - - - Adult, child, wheelchair etc. - - - - - - - Occupancy values applying to indicated scope. (since SIRI 2.1) - - - - - An approximate figure of how occupied or full a VEHICLE and its parts are, e.g. 'manySeatsAvailable' or 'standingRoomOnly'. + + + + + + Fare class in VEHICLE for which occupancy or capacities are specified. + + + + + Adult, child, wheelchair etc. + + + + + + + Occupancy values applying to indicated scope. (since SIRI 2.1) + + + + + An approximate figure of how occupied or full a VEHICLE and its parts are, e.g. 'manySeatsAvailable' or 'standingRoomOnly'. More accurate data can be provided by the individual occupancies or capacities below. - - - - - Utilised percentage of maximum payload after departing the STOP POINT. - - - - - Total number of alighting passengers for this vehicle journey at this STOP POINT. - - - - - Total number of boarding passengers for this vehicle journey at this STOP POINT. - - - - - Total number of passengers on-board after departing the STOP POINT. - - - - - Total number of special places, e.g. seats for the disabled or lounge seats, that are occupied after departing the STOP POINT. - - - - - Total number of pushchairs on-board after departing the STOP POINT. - - - - - Total number of wheelchairs on-board after departing the STOP POINT. - - - - - Total number of prams on-board after departing the STOP POINT. - - - - - Total number of bicycles on-board, i.e., number of bicycle racks that are occupied after departing the STOP POINT. - - - - - - - Used to specify that a travel group has booked a section of the vehicle for a part of the journey, and if so under what name. (since SIRI 2.1) - - - - - Name for which the travel group has made the reservation. - - - - - Number of seats that the group has booked. - - - - - - - Real-time occupancies of a VEHICLE (by fare class). Could be feedback from an automatic passenger counting system (APC) or estimated values from statistics. (since SIRI 2.1) - - - - - - - Total number of booked seats from individual and group reservations. - - - - - Reservations of travel groups, i.e., name of group and number of seats booked. - - - - - - - Real-time capacities of a VEHICLE (by fare class), i.e., number of available seats. Alternative way to communicate occupancy measurements. (since SIRI 2.1) - - - - - - - - - - An elementary component of a TRAIN, e.g. wagon or locomotive. (since SIRI 2.1) - - - - - Type for TRAIN ELEMENT. (since SIRI 2.1) - - - - - Identifier for TRAIN ELEMENT. - - - - - - - - - Elements for a TRAIN ELEMENT. (since SIRI 2.1) - - - - - Type of TRAIN ELEMENT. - - - - - Denotes the official "registration number" of the vehicle or wagon/coach. In rail transport VEHICLE NUMBER would be equal to the 12-digit UIC wagon/coach number, possibly followed by other combinations of letters, e.g. by the UIC classification of railway coaches. - - - - - - - - - Specifies the order of a certain TRAIN ELEMENT within a TRAIN and how the TRAIN ELEMENT is labeled in that context. (since SIRI 2.1) - - - - - Type for TRAIN COMPONENT. (since SIRI 2.1) - - - - - Identifier for TRAIN COMPONENT. - - - - - Specifies the order of the TRAIN ELEMENT within the TRAIN. The locomotive would ideally have ORDER '1', the first wagon/coach attached to the locomotive ORDER '2' and so on. - - - - - - - - Elements for a TRAIN COMPONENT. (since SIRI 2.1) - - - - - Specifies how the TRAIN ELEMENT is labeled within the context of the TRAIN. This advertised label or number, e.g. "Carriage B" or "23", can be used for seat reservations and passenger orientation. - - - - - Description of TRAIN COMPONENT, e.g. "Front Carriage 1st Class". - - - - - - - - - Whether orientation of TRAIN ELEMENT within TRAIN is reversed or not. Default is 'false', i.e., they have the same orientation (usually forward in the direction of travel). - - - - - - - - A vehicle composed of TRAIN ELEMENTs assembled in a certain order (so called TRAIN COMPONENTs), i.e. wagons assembled together and propelled by a locomotive or one of the wagons. (since SIRI 2.1) - - - - - Type for TRAIN. (since SIRI 2.1) - - - - - Identifier for TRAIN. - - - - - - - - - Elements for TRAIN. (since SIRI 2.1) - - - - - Number of cars needed in TRAIN. - - - - - Nature of TRAIN size, e.g "short", "long", "normal". Default is "normal". - - - - - Ordered collection of TRAIN COMPONENTs making up the TRAIN. - - - - - - - - - - - - - - Groups of carriages may be managed as sections by composing TRAINs into a COMPOUND TRAIN, for example if a TRAIN joins (or splits from) another TRAIN. (since SIRI 2.1) + + + + + Utilised percentage of maximum payload after departing the STOP POINT. + + + + + Total number of alighting passengers for this vehicle journey at this STOP POINT. + + + + + Total number of boarding passengers for this vehicle journey at this STOP POINT. + + + + + Total number of passengers on-board after departing the STOP POINT. + + + + + Total number of special places, e.g. seats for the disabled or lounge seats, that are occupied after departing the STOP POINT. + + + + + Total number of pushchairs on-board after departing the STOP POINT. + + + + + Total number of wheelchairs on-board after departing the STOP POINT. + + + + + Total number of prams on-board after departing the STOP POINT. + + + + + Total number of bicycles on-board, i.e., number of bicycle racks that are occupied after departing the STOP POINT. + + + + + + + Used to specify that a travel group has booked a section of the vehicle for a part of the journey, and if so under what name. (since SIRI 2.1) + + + + + Name for which the travel group has made the reservation. + + + + + Number of seats that the group has booked. + + + + + + + Real-time occupancies of a VEHICLE (by fare class). Could be feedback from an automatic passenger counting system (APC) or estimated values from statistics. (since SIRI 2.1) + + + + + + + Total number of booked seats from individual and group reservations. + + + + + Reservations of travel groups, i.e., name of group and number of seats booked. + + + + + + + Real-time capacities of a VEHICLE (by fare class), i.e., number of available seats. Alternative way to communicate occupancy measurements. (since SIRI 2.1) + + + + + + + + + + An elementary component of a TRAIN, e.g. wagon or locomotive. (since SIRI 2.1) + + + + + Type for TRAIN ELEMENT. (since SIRI 2.1) + + + + + Identifier for TRAIN ELEMENT. + + + + + + + + + Elements for a TRAIN ELEMENT. (since SIRI 2.1) + + + + + Type of TRAIN ELEMENT. + + + + + Denotes the official "registration number" of the vehicle or wagon/coach. In rail transport VEHICLE NUMBER would be equal to the 12-digit UIC wagon/coach number, possibly followed by other combinations of letters, e.g. by the UIC classification of railway coaches. + + + + + + + + + Specifies the order of a certain TRAIN ELEMENT within a TRAIN and how the TRAIN ELEMENT is labeled in that context. (since SIRI 2.1) + + + + + Type for TRAIN COMPONENT. (since SIRI 2.1) + + + + + Identifier for TRAIN COMPONENT. + + + + + Specifies the order of the TRAIN ELEMENT within the TRAIN. The locomotive would ideally have ORDER '1', the first wagon/coach attached to the locomotive ORDER '2' and so on. + + + + + + + + Elements for a TRAIN COMPONENT. (since SIRI 2.1) + + + + + Specifies how the TRAIN ELEMENT is labeled within the context of the TRAIN. This advertised label or number, e.g. "Carriage B" or "23", can be used for seat reservations and passenger orientation. + + + + + Description of TRAIN COMPONENT, e.g. "Front Carriage 1st Class". + + + + + + + + + Whether orientation of TRAIN ELEMENT within TRAIN is reversed or not. Default is 'false', i.e., they have the same orientation (usually forward in the direction of travel). + + + + + + + + A vehicle composed of TRAIN ELEMENTs assembled in a certain order (so called TRAIN COMPONENTs), i.e. wagons assembled together and propelled by a locomotive or one of the wagons. (since SIRI 2.1) + + + + + Type for TRAIN. (since SIRI 2.1) + + + + + Identifier for TRAIN. + + + + + + + + + Elements for TRAIN. (since SIRI 2.1) + + + + + Number of cars needed in TRAIN. + + + + + Nature of TRAIN size, e.g "short", "long", "normal". Default is "normal". + + + + + Ordered collection of TRAIN COMPONENTs making up the TRAIN. + + + + + + + + + + + + + + Groups of carriages may be managed as sections by composing TRAINs into a COMPOUND TRAIN, for example if a TRAIN joins (or splits from) another TRAIN. (since SIRI 2.1) TRAINs within a COMPOUND TRAIN may have different origins and destinations due to joining/splitting. A COMPOUND TRAIN may be stable for one or multiple JOURNEY PARTs and change at a certain STOP POINT due to planned joining/splitting, despatching alterations or a situation. - - - - - Type for COMPOUND TRAIN. (since SIRI 2.1) - - - - - Identifier for COMPOUND TRAIN. - - - - - - Ordered collection of TRAINs making up the COMPOUND TRAIN. - - - - - - - - - - - - - Specifies the order of a certain TRAIN within a COMPOUND TRAIN and how the TRAIN is labeled in that context. (since SIRI 2.1) - - - - - Type for a TRAIN IN COMPOUND TRAIN. (since SIRI 2.1) - - - - - Identifier for TRAIN IN COMPOUND TRAIN. - - - - - Specifies the order of the TRAIN within the COMPOUND TRAIN. - - - - - - - - Elements for a TRAIN IN COMPOUND TRAIN. (since SIRI 2.1) - - - - - Specifies how the TRAIN is labeled within the context of the COMPOUND TRAIN. This advertised label or number, e.g. the individual TRAIN NUMBER, can be used for seat reservations and passenger orientation. - - - - - Description of TRAIN IN COMPOUND TRAIN. - - - - - - - - - - Whether orientation of TRAIN within COMPOUND TRAIN is reversed or not. Default is 'false', i.e., they have the same orientation (usually forward in the direction of travel). - - - - - Specifies whether a passage from/to an adjacent TRAIN is possible for passengers. - - - - - - - - - - - - Indicates whether passengers have access to adjacent TRAINs or TRAIN COMPONENTs within a COMPOUND TRAIN, i.e., whether passage between those wagons/coaches is possible. (since SIRI 2.1) - - - - - - - - - - - Elements for a VEHICLE TYPE. (since SIRI 2.1) - - - - - Name of VEHICLE TYPE. - - - - - Short Name of VEHICLE TYPE. - - - - - Description of VEHICLE TYPE. - - - - - - - Facilities of VEHICLE TYPE. - - - - - - - - - - - - - - - - Property elements for the abstract VEHICLE TYPE. (since SIRI 2.1) - - - - - Whether vehicles of the type have a reversing direction. - - - - - Whether vehicles of the type are self-propelled. - - - - - The type of fuel used by a vehicle of the type. - - - - - Euroclass of the vehicle type. Corresponds to the 12-digit European Identification Number (EIN). - - - - - Break down of capacities by FARE CLASS, i.e., maximum number of passengers that TRAIN ELEMENT can carry. - - - - - - - - - - - - - - Elements specifying Requirement properties of VEHICLE TYPE. Vehicle should satisfy these requirements. (since SIRI 2.1) - - - - - Whether Vehicle is low floor to facilitate access by the mobility impaired. - - - - - Whether vehicle has lift or ramp to facilitate wheelchair access. - - - - - Whether vehicle has hoist for wheelchair access. - - - - - - - Dimension elements for a VEHICLE TYPE. (since SIRI 2.1) - - - - - The length of a VEHICLE of the type. - - - - - The width of a VEHICLE of the type. - - - - - The length of a VEHICLE of the type. - - - - - The weight of a VEHICLE of the type. - - - - - + + + + + Type for COMPOUND TRAIN. (since SIRI 2.1) + + + + + Identifier for COMPOUND TRAIN. + + + + + + Ordered collection of TRAINs making up the COMPOUND TRAIN. + + + + + + + + + + + + + Specifies the order of a certain TRAIN within a COMPOUND TRAIN and how the TRAIN is labeled in that context. (since SIRI 2.1) + + + + + Type for a TRAIN IN COMPOUND TRAIN. (since SIRI 2.1) + + + + + Identifier for TRAIN IN COMPOUND TRAIN. + + + + + Specifies the order of the TRAIN within the COMPOUND TRAIN. + + + + + + + + Elements for a TRAIN IN COMPOUND TRAIN. (since SIRI 2.1) + + + + + Specifies how the TRAIN is labeled within the context of the COMPOUND TRAIN. This advertised label or number, e.g. the individual TRAIN NUMBER, can be used for seat reservations and passenger orientation. + + + + + Description of TRAIN IN COMPOUND TRAIN. + + + + + + + + + + Whether orientation of TRAIN within COMPOUND TRAIN is reversed or not. Default is 'false', i.e., they have the same orientation (usually forward in the direction of travel). + + + + + Specifies whether a passage from/to an adjacent TRAIN is possible for passengers. + + + + + + + + + + + + Indicates whether passengers have access to adjacent TRAINs or TRAIN COMPONENTs within a COMPOUND TRAIN, i.e., whether passage between those wagons/coaches is possible. (since SIRI 2.1) + + + + + + + + + + + Elements for a VEHICLE TYPE. (since SIRI 2.1) + + + + + Name of VEHICLE TYPE. + + + + + Short Name of VEHICLE TYPE. + + + + + Description of VEHICLE TYPE. + + + + + + + Facilities of VEHICLE TYPE. + + + + + + + + + + + + + + + + Property elements for the abstract VEHICLE TYPE. (since SIRI 2.1) + + + + + Whether vehicles of the type have a reversing direction. + + + + + Whether vehicles of the type are self-propelled. + + + + + The type of fuel used by a vehicle of the type. + + + + + Euroclass of the vehicle type. Corresponds to the 12-digit European Identification Number (EIN). + + + + + Break down of capacities by FARE CLASS, i.e., maximum number of passengers that TRAIN ELEMENT can carry. + + + + + + + + + + + + + + Elements specifying Requirement properties of VEHICLE TYPE. Vehicle should satisfy these requirements. (since SIRI 2.1) + + + + + Whether Vehicle is low floor to facilitate access by the mobility impaired. + + + + + Whether vehicle has lift or ramp to facilitate wheelchair access. + + + + + Whether vehicle has hoist for wheelchair access. + + + + + + + Dimension elements for a VEHICLE TYPE. (since SIRI 2.1) + + + + + The length of a VEHICLE of the type. + + + + + The width of a VEHICLE of the type. + + + + + The length of a VEHICLE of the type. + + + + + The weight of a VEHICLE of the type. + + + + +
diff --git a/xsd/siri_model/siri_journey_support.xsd b/xsd/siri_model/siri_journey_support.xsd index 431e9400..b7c0a50f 100644 --- a/xsd/siri_model/siri_journey_support.xsd +++ b/xsd/siri_model/siri_journey_support.xsd @@ -1,76 +1,77 @@ - - - - main schema - e-service developers - Cen TC278 WG3 SG7 Team - Europe - Drafted for version 1.0 CEN TC278 WG3 SG7 Editor Nicholas Knowles, Kizoom. mailto:schemer@siri.org.uk - - 2004-03-05 - - - 2004-10-06 - - - 2005-05-11 - - - 2005-11-15 - - - 2007-03-29 - - - 2008-11-13 - - - - 2011-04-18 - - - - 2012-03-22 - + + + 2011-04-18 + + + + 2012-03-22 + - - - 2013-02-11 - - - -

SIRI is a European CEN technical standard for the exchange of real-time information .

-

This subschema defines identifer definitions for common journey elements.

-
- - text/xml - http://www.w3.org/2001/XMLSchema - XML schema, W3C Recommendation 2001 - - {http://www.siri.org.uk/schema/2.0/xsd/siri_model/}siri_journey_support.xsd - [ISO 639-2/B] ENG - Kizoom, 109-123 Clifton Street, London EC4A 4LD - - http://www.siri.org.uk/schema/2.0/xsd/siri/siri_types.xsd - - - CEN, VDV, RTIG 2004-2021 - - -
    -
  • Derived from the VDV, RTIG CML and Trident standards.
  • -
- - Version 2.1 - - Arts, recreation and travel, Tourism, Travel (tourism), Transport, + + +

SIRI is a European CEN technical standard for the exchange of real-time information .

+

This subschema defines identifer definitions for common journey elements.

+
+ + text/xml + http://www.w3.org/2001/XMLSchema + XML schema, W3C Recommendation 2001 + + {http://www.siri.org.uk/schema/2.0/xsd/siri_model/}siri_journey_support.xsd + [ISO 639-2/B] ENG + Kizoom, 109-123 Clifton Street, London EC4A 4LD + + http://www.siri.org.uk/schema/2.0/xsd/siri/siri_types.xsd + + + + CEN, VDV, RTIG 2004-2021 + + +
    +
  • Derived from the VDV, RTIG CML and Trident standards.
  • +
+ + Version 2.1 + + Arts, recreation and travel, Tourism, Travel (tourism), Transport, Air transport, Airports, Ports and maritime transport, Ferries (marine), Public transport, Bus services, Coach services, Bus stops and stations, @@ -78,951 +79,951 @@ Rail transport, Railway stations and track, Train services, Underground trains, Business and industry, Transport, Air transport, Ports and maritime transport, Public transport, Rail transport, Roads and road transport - CEN TC278 WG3 SG7 - - SIRI XML schema. Service Interface for Real-time Information relating to Public Transport Operations. Subschema of identifers common journey elements - Standard -
-
- SIRI Journey Model Identifiers. -
- - - - - - - Elements identifying VEHICLE JOURNEY. - - - - - Reference to a LINE. - - - - - Reference to a DIRECTION, typically outward or return. - - - - - A reference to the dated VEHICLE JOURNEY that the VEHICLE is making. - - - - - - - Elements identifying a VEHICLE JOURNEY. LINE and DIRECTION will be same as for journey unless overridden. - - - - - Reference to LINE of journey. - - - - - Reference to DIRECTION of journey. - - - - - A reference to the DATED VEHICLE JOURNEY that the VEHICLE is making, unique with the data horizon of the service. - - - - - - - - Type for identifier of a VEHICLE JOURNEY. - - - - - - Type for reference to a VEHICLE JOURNEY. - - - - - - - - Reference to a VEHICLE JOURNEY. - - - - - Type for identifier of a Dated VEHICLE JOURNEY. - - - - - - Type for reference to a Dated VEHICLE JOURNEY. - - - - - - - - Reference to a DATED VEHICLE JOURNEY. - - - - - Type for identifier of a Realtime VEHICLE JOURNEY. Used for adhoc journeys. - - - - - - Type for Origin and Destination stop of a VEHICLE JOURNEY. - - - - - The origin is used to help identify the VEHICLE JOURNEY. - - - - - Departure time from origin SCHEDULED STOP POINT. - - - - - The destination is used to help identify the VEHICLE JOURNEY. - - - - - Arrival time at destination SCHEDULED STOP POINT. - - - - - - - - Type for a reference to a connecting journey. - - - - - A reference to the DATE VEHICLE JOURNEY that the VEHICLE is making, unique with the data horizon of the service. - - - - - Identify a VEHICLE JOURNEY indirectly by origin and destination as well as the scheduled times at these stops. - - - - - Reference to LINE of journey. - - - - - Reference to TRAIN NUMBER of journey. - - - - - Reference to OPERATOR of journey. - - - - - PARTICIPANT reference that identifies data producer of journey. - - - - - - - - Type for identifer of a SERVICE JOURNEY INTERCHANGE. - - - - - - Type for reference to a SERVICE JOURNEY INTERCHANGE. - - - - - - - - Reference to a SERVICE JOURNEY INTERCHANGE. - - - - - - Type for identifer of a VEHICLE JOURNEY within data Horizon of a service. - - - - - identifier of data frame within particpant service. Used to ensure that the Reference to a DATED VEGICLE JOURNEY is unique with the data horizon of the service. Often the OperationalDayType is used for this purpose. - - - - - A reference to the dated VEHICLE JOURNEY that the VEHICLE is making. - - - - - - - Type for identifier of a data VERSION FRAME. - - - - - - Type for identifier of a data VERSION FRAME. - - - - - - - - - Type for identifier of Train Part. - - - - - - Type for reference to a Train Part. - - - - - - - - - Type for identifier of an BLOCK. - - - - - - Type for reference to a BLOCK. - - - - - - - - Type for identifier of a COURSE OF JOURNEY (Run). - - - - - - Type for reference to a COURSE OF JOURNEY (Run). - - - - - - - - - Type for identifier of an JOURNEY PART - - - - - - Type for reference to a JOURNEY PART - - - - - - - - Type for identifier of an TRAIN NUMBER - - - - - - Type for reference to a TRAIN NUMBER - - - - - - - - Type for identifier of a TRAIN ELEMENT. An elementary component of a TRAIN (e.g. wagon, locomotive etc.). (since SIRI 2.1) - - - - - - Type for reference to a TRAIN ELEMENT. (since SIRI 2.1) - - - - - - - - Reference to a TRAIN ELEMENT. (since SIRI 2.1) - - - - - Type for identifier of a TRAIN COMPONENT. A TRAIN ELEMENT with a specific order within a TRAIN. (since SIRI 2.1) - - - - - - Type for reference to a TRAIN COMPONENT. (since SIRI 2.1) - - - - - - - - Reference to a TRAIN COMPONENT. (since SIRI 2.1) - - - - - Type for identifier of a TRAIN. An ordered sequence of TRAIN ELEMENTs or TRAIN COMPONENTs respectively. (since SIRI 2.1) - - - - - - Type for reference to a TRAIN. (since SIRI 2.1) - - - - - - - - Reference to a TRAIN. (since SIRI 2.1) - - - - - Type for identifier of a COMPOUND TRAIN. An ordered sequence of TRAINs or TRAIN IN COMPOUND TRAINs respectively. (since SIRI 2.1) - - - - - - Type for reference to a COMPOUND TRAIN. (since SIRI 2.1) - - - - - - - - Reference to a COMPOUND TRAIN. (since SIRI 2.1) - - - - - Type for identifier of a TRAIN IN COMPOUND TRAIN. A TRAIN with a specific order within a COMPOUND TRAIN. (since SIRI 2.1) - - - - - - Type for reference to a TRAIN IN COMPOUND TRAIN. (since SIRI 2.1) - - - - - - - - Reference to a TRAIN IN COMPOUND TRAIN. (since SIRI 2.1) - - - - - Type for identifier of an ENTRANCE TO VEHICLE, e.g. a door of a TRAIN ELEMENT. (since SIRI 2.1) - - - - - - Type for reference to an ENTRANCE TO VEHICLE. (since SIRI 2.1) - - - - - - - - Reference to an ENTRANCE TO VEHICLE. (since SIRI 2.1) - - - - - - Groups together the relevant references needed in a formation. (since SIRI 2.1) + CEN TC278 WG3 SG7 + + SIRI XML schema. Service Interface for Real-time Information relating to Public Transport Operations. Subschema of identifers common journey elements + Standard + + + SIRI Journey Model Identifiers. + + + + + + + + Elements identifying VEHICLE JOURNEY. + + + + + Reference to a LINE. + + + + + Reference to a DIRECTION, typically outward or return. + + + + + A reference to the dated VEHICLE JOURNEY that the VEHICLE is making. + + + + + + + Elements identifying a VEHICLE JOURNEY. LINE and DIRECTION will be same as for journey unless overridden. + + + + + Reference to LINE of journey. + + + + + Reference to DIRECTION of journey. + + + + + A reference to the DATED VEHICLE JOURNEY that the VEHICLE is making, unique with the data horizon of the service. + + + + + + + + Type for identifier of a VEHICLE JOURNEY. + + + + + + Type for reference to a VEHICLE JOURNEY. + + + + + + + + Reference to a VEHICLE JOURNEY. + + + + + Type for identifier of a Dated VEHICLE JOURNEY. + + + + + + Type for reference to a Dated VEHICLE JOURNEY. + + + + + + + + Reference to a DATED VEHICLE JOURNEY. + + + + + Type for identifier of a Realtime VEHICLE JOURNEY. Used for adhoc journeys. + + + + + + Type for Origin and Destination stop of a VEHICLE JOURNEY. + + + + + The origin is used to help identify the VEHICLE JOURNEY. + + + + + Departure time from origin SCHEDULED STOP POINT. + + + + + The destination is used to help identify the VEHICLE JOURNEY. + + + + + Arrival time at destination SCHEDULED STOP POINT. + + + + + + + + Type for a reference to a connecting journey. + + + + + A reference to the DATE VEHICLE JOURNEY that the VEHICLE is making, unique with the data horizon of the service. + + + + + Identify a VEHICLE JOURNEY indirectly by origin and destination as well as the scheduled times at these stops. + + + + + Reference to LINE of journey. + + + + + Reference to TRAIN NUMBER of journey. + + + + + Reference to OPERATOR of journey. + + + + + PARTICIPANT reference that identifies data producer of journey. + + + + + + + + Type for identifer of a SERVICE JOURNEY INTERCHANGE. + + + + + + Type for reference to a SERVICE JOURNEY INTERCHANGE. + + + + + + + + Reference to a SERVICE JOURNEY INTERCHANGE. + + + + + + Type for identifer of a VEHICLE JOURNEY within data Horizon of a service. + + + + + identifier of data frame within particpant service. Used to ensure that the Reference to a DATED VEGICLE JOURNEY is unique with the data horizon of the service. Often the OperationalDayType is used for this purpose. + + + + + A reference to the dated VEHICLE JOURNEY that the VEHICLE is making. + + + + + + + Type for identifier of a data VERSION FRAME. + + + + + + Type for identifier of a data VERSION FRAME. + + + + + + + + + Type for identifier of Train Part. + + + + + + Type for reference to a Train Part. + + + + + + + + + Type for identifier of an BLOCK. + + + + + + Type for reference to a BLOCK. + + + + + + + + Type for identifier of a COURSE OF JOURNEY (Run). + + + + + + Type for reference to a COURSE OF JOURNEY (Run). + + + + + + + + + Type for identifier of an JOURNEY PART + + + + + + Type for reference to a JOURNEY PART + + + + + + + + Type for identifier of an TRAIN NUMBER + + + + + + Type for reference to a TRAIN NUMBER + + + + + + + + Type for identifier of a TRAIN ELEMENT. An elementary component of a TRAIN (e.g. wagon, locomotive etc.). (since SIRI 2.1) + + + + + + Type for reference to a TRAIN ELEMENT. (since SIRI 2.1) + + + + + + + + Reference to a TRAIN ELEMENT. (since SIRI 2.1) + + + + + Type for identifier of a TRAIN COMPONENT. A TRAIN ELEMENT with a specific order within a TRAIN. (since SIRI 2.1) + + + + + + Type for reference to a TRAIN COMPONENT. (since SIRI 2.1) + + + + + + + + Reference to a TRAIN COMPONENT. (since SIRI 2.1) + + + + + Type for identifier of a TRAIN. An ordered sequence of TRAIN ELEMENTs or TRAIN COMPONENTs respectively. (since SIRI 2.1) + + + + + + Type for reference to a TRAIN. (since SIRI 2.1) + + + + + + + + Reference to a TRAIN. (since SIRI 2.1) + + + + + Type for identifier of a COMPOUND TRAIN. An ordered sequence of TRAINs or TRAIN IN COMPOUND TRAINs respectively. (since SIRI 2.1) + + + + + + Type for reference to a COMPOUND TRAIN. (since SIRI 2.1) + + + + + + + + Reference to a COMPOUND TRAIN. (since SIRI 2.1) + + + + + Type for identifier of a TRAIN IN COMPOUND TRAIN. A TRAIN with a specific order within a COMPOUND TRAIN. (since SIRI 2.1) + + + + + + Type for reference to a TRAIN IN COMPOUND TRAIN. (since SIRI 2.1) + + + + + + + + Reference to a TRAIN IN COMPOUND TRAIN. (since SIRI 2.1) + + + + + Type for identifier of an ENTRANCE TO VEHICLE, e.g. a door of a TRAIN ELEMENT. (since SIRI 2.1) + + + + + + Type for reference to an ENTRANCE TO VEHICLE. (since SIRI 2.1) + + + + + + + + Reference to an ENTRANCE TO VEHICLE. (since SIRI 2.1) + + + + + + Groups together the relevant references needed in a formation. (since SIRI 2.1) Has the following uses: - Either the smallest part of a formation, a TRAIN COMPONENT, is referenced or the TRAIN itself. The former is ideally used in a FORMATION ASSIGNMENT, i.e. QUAY (sector) assignment, to provide the highest level of detail for passenger orientation. - If the formation consists of multiple coupled TRAINs, a reference to the COMPOUND TRAIN is also possible. This might be used in a FORMATION CONDITION to signal a change of the train composition. - In case alighting/boarding data from an automatic passenger counting system is available, the respective vehicle entrances may be referenced. - - - - - - - - - - - - - - - - - - Allowed types activity for Boarding and Alighting. - - - - - - - - - - - Allowed types activity for Alighting. - - - - - - - - - - Allowed types activity for Boarding. - - - - - - - - - - - - Reference to the origin SCHEDULED STOP POINT of the journey. - - - - - Reference to a SCHEDULED STOP POINT that is a VIA point on the journey. - - - - - Reference to the destination SCHEDULED STOP POINT of the journey. - - - - - Type for reference to a DESTINATION. - - - - - - - - - Information that classifies journey. - - - - - OPERATOR of a VEHICLE JOURNEY. Note that the operator may change over the course of a journey. This shoudl show teh operator for the curent point in the journey. Use Journey Parts tp record all the operators in the whole journeyh. - - - - - Product Classification of VEHICLE JOURNEY- subdivides a transport mode. e.g. express, loacl. - - - - - Classification of service into arbitrary Service categories, e.g. school bus. Recommended SIRI values based on TPEG are given in SIRI documentation and enumerated in the siri_facilities package. + + + + + + + + + + + + + + + + + + Allowed types activity for Boarding and Alighting. + + + + + + + + + + + Allowed types activity for Alighting. + + + + + + + + + + Allowed types activity for Boarding. + + + + + + + + + + + + Reference to the origin SCHEDULED STOP POINT of the journey. + + + + + Reference to a SCHEDULED STOP POINT that is a VIA point on the journey. + + + + + Reference to the destination SCHEDULED STOP POINT of the journey. + + + + + Type for reference to a DESTINATION. + + + + + + + + + Information that classifies journey. + + + + + OPERATOR of a VEHICLE JOURNEY. Note that the operator may change over the course of a journey. This shoudl show teh operator for the curent point in the journey. Use Journey Parts tp record all the operators in the whole journeyh. + + + + + Product Classification of VEHICLE JOURNEY- subdivides a transport mode. e.g. express, loacl. + + + + + Classification of service into arbitrary Service categories, e.g. school bus. Recommended SIRI values based on TPEG are given in SIRI documentation and enumerated in the siri_facilities package. Corresponds to NeTEX TYPE OF SERVICe. - - - - - - - Elements classifying the Service or journey. Values for these elements can be specified on a timetabled schedule and will be inherited, unless overriden, onto the production timetable and then onto the individul dated VEHICLE JOURNEYs of the timetable. Each monitored journey takes its values from the dated VEHICLE JOURNEY that it follows. The absence of a value on an entity at a given level indicates that the value should be inherited (i) from any recent preceding update message for the same entity, or if there is no previous override, (ii) from its immediate parent entity. - - - - - - Features of VEHICLE providing journey. Recommended SIRI values based on TPEG are given in SIRI documentation and enumerated in the siri_facilities package. - - - - - - - - Classification of the rate of progress of VEHICLE according a fixed list of values. - - - - - Vehicle is stationary. - - - - - Vehicle is proceeding slower than normal. - - - - - Vehicle is proceeding at a normal rate. - - - - - Vehicle is proceeding faster than normal. - - - - - There is no data. - - - - - - - Classification of the timeliness of the CALL, according to a fixed list of values. This may reflect a presentation policy, for example CALLs less than one minute behind target time are still classified as on-time. Applications may use this to guide their own presentation of times. - - - - - Service is on time. - - - - - Service is earlier than expected. - - - - - Service is delayed. - - - - - Service is cancelled. - - - - - Service has arrived. - - - - - - - There is no information about the service. - - - - - Service is not expected to call this stop. For instance a flexible service that has not yet been preordered. - - - - - - - Classification of the State of the VEHICLE JOURNEY according to a fixed list of values. This may reflect a presentation policy, for example CALLs less than one minute behind target time are still classified as on-time. Applications may use this to guide their own presentation of times. - - - - - Service is expected to be performed. - - - - - Service is not expected to be run. For instance a flexible service that has not yet been preordered. - - - - - - - - - Service has departed from first stop. - - - - - - - It has been detected that the Service was completed. - - - - - It is assumed that the Service has completed. - - - - - - - - Classification of the quality of the prediction of the CALL, according to a fixed list of values. This may reflect a presentation policy, for example CALLs less than one minute behind target time are stiull classified as on-time. Applications may use this to guide their own presentation of times. - - - - - Data is certain (1/5). - - - - - Data has confidence level of very reliable (2/5). - - - - - Data has confidence level of reliable (3/5). - - - - - Data is thought to be reliable (4/5) - - - - - Data is unconfirmed (5/5). - - - - - - - Allowed types activity for FirstOrLastJourney. - - - - - - - - - - - - Allowed values for PredictionInaccurateReason, i.e., possible reasons for a change in prediction (in)accuracy. - - - - - Prediction is inaccurate because of a traffic jam. - - - - - Prediction is inaccurate because of technical problems. - - - - - Prediction is inaccurate because of a despatching alteration. - - - - - Prediction is inaccurate because communication errors have prevented any updates. - - - - - Prediction is inaccurate but the reason for an inaccurate prediction is unknown. - - - - - - - - Allowed types of relation between JOURNEYs. - - - - - The journey is a continuation of the specified RelatedJourney at the stop point given in CallInfo. + + + + + + + Elements classifying the Service or journey. Values for these elements can be specified on a timetabled schedule and will be inherited, unless overriden, onto the production timetable and then onto the individul dated VEHICLE JOURNEYs of the timetable. Each monitored journey takes its values from the dated VEHICLE JOURNEY that it follows. The absence of a value on an entity at a given level indicates that the value should be inherited (i) from any recent preceding update message for the same entity, or if there is no previous override, (ii) from its immediate parent entity. + + + + + + Features of VEHICLE providing journey. Recommended SIRI values based on TPEG are given in SIRI documentation and enumerated in the siri_facilities package. + + + + + + + + Classification of the rate of progress of VEHICLE according a fixed list of values. + + + + + Vehicle is stationary. + + + + + Vehicle is proceeding slower than normal. + + + + + Vehicle is proceeding at a normal rate. + + + + + Vehicle is proceeding faster than normal. + + + + + There is no data. + + + + + + + Classification of the timeliness of the CALL, according to a fixed list of values. This may reflect a presentation policy, for example CALLs less than one minute behind target time are still classified as on-time. Applications may use this to guide their own presentation of times. + + + + + Service is on time. + + + + + Service is earlier than expected. + + + + + Service is delayed. + + + + + Service is cancelled. + + + + + Service has arrived. + + + + + + + There is no information about the service. + + + + + Service is not expected to call this stop. For instance a flexible service that has not yet been preordered. + + + + + + + Classification of the State of the VEHICLE JOURNEY according to a fixed list of values. This may reflect a presentation policy, for example CALLs less than one minute behind target time are still classified as on-time. Applications may use this to guide their own presentation of times. + + + + + Service is expected to be performed. + + + + + Service is not expected to be run. For instance a flexible service that has not yet been preordered. + + + + + + + + + Service has departed from first stop. + + + + + + + It has been detected that the Service was completed. + + + + + It is assumed that the Service has completed. + + + + + + + + Classification of the quality of the prediction of the CALL, according to a fixed list of values. This may reflect a presentation policy, for example CALLs less than one minute behind target time are stiull classified as on-time. Applications may use this to guide their own presentation of times. + + + + + Data is certain (1/5). + + + + + Data has confidence level of very reliable (2/5). + + + + + Data has confidence level of reliable (3/5). + + + + + Data is thought to be reliable (4/5) + + + + + Data is unconfirmed (5/5). + + + + + + + Allowed types activity for FirstOrLastJourney. + + + + + + + + + + + + Allowed values for PredictionInaccurateReason, i.e., possible reasons for a change in prediction (in)accuracy. + + + + + Prediction is inaccurate because of a traffic jam. + + + + + Prediction is inaccurate because of technical problems. + + + + + Prediction is inaccurate because of a despatching alteration. + + + + + Prediction is inaccurate because communication errors have prevented any updates. + + + + + Prediction is inaccurate but the reason for an inaccurate prediction is unknown. + + + + + + + + Allowed types of relation between JOURNEYs. + + + + + The journey is a continuation of the specified RelatedJourney at the stop point given in CallInfo. Passengers don't need to change vehicles. The new journey is not communicated as an interchange. - - - - - The journey is continued by the specified RelatedJourney at the stop point given in CallInfo. + + + + + The journey is continued by the specified RelatedJourney at the stop point given in CallInfo. Passengers don't need to change vehicles. The new journey is not communicated as an interchange. - - - - - The journey splits into multiple RelatedJourneys at the stop point given in CallInfo. - - - - - The journey is a continuation of a single RelatedJourney splitting into multiple journeys at the stop point given in CallInfo. - - - - - The journey is the continuation of multiple RelatedJourneys joining together at the stop point given in CallInfo. - - - - - The journey is continued by a single RelatedJourney after joining other journeys at the stop point given in CallInfo. - - - - - The journey replaces one or more partially or fully cancelled RelatedJourneys during the JourneyPart defined or referenced in JourneyPartInfo. - - - - - The partially or fully cancelled journey is replaced by one or more RelatedJourneys during the JourneyPart defined or referenced in JourneyPartInfo. - - - - - The journey partially or fully supports one or more RelatedJourneys during the JourneyPart defined or referenced in JourneyPartInfo. - - - - - The journey is partially or fully supported by one or more RelatedJourneys during the JourneyPart defined or referenced in JourneyPartInfo. - - - - - - - - Allowed values for characterisation of nested QUAYs as part of a STOP ASSIGNMENT. (since SIRI 2.1) - - - - - A type of QUAY that consists of multiple QUAYs of type 'platform'. Examples of such groups would be the lower and upper level of a station. - - - - - A type of QUAY that consists of at least two child QUAYs of type 'platformEdge'. - - - - - A type of QUAY which allows direct access to a VEHICLE, e.g. an on-street bus stop, or consists of multiple child QUAYs of type 'platformSector'. - - - - - A QUAY of type 'platformEdge' may be divided into multiple sectors, e.g. "A", "B", "C" etc., to help passengers find a specific part of a vehicle. + + + + + The journey splits into multiple RelatedJourneys at the stop point given in CallInfo. + + + + + The journey is a continuation of a single RelatedJourney splitting into multiple journeys at the stop point given in CallInfo. + + + + + The journey is the continuation of multiple RelatedJourneys joining together at the stop point given in CallInfo. + + + + + The journey is continued by a single RelatedJourney after joining other journeys at the stop point given in CallInfo. + + + + + The journey replaces one or more partially or fully cancelled RelatedJourneys during the JourneyPart defined or referenced in JourneyPartInfo. + + + + + The partially or fully cancelled journey is replaced by one or more RelatedJourneys during the JourneyPart defined or referenced in JourneyPartInfo. + + + + + The journey partially or fully supports one or more RelatedJourneys during the JourneyPart defined or referenced in JourneyPartInfo. + + + + + The journey is partially or fully supported by one or more RelatedJourneys during the JourneyPart defined or referenced in JourneyPartInfo. + + + + + + + + Allowed values for characterisation of nested QUAYs as part of a STOP ASSIGNMENT. (since SIRI 2.1) + + + + + A type of QUAY that consists of multiple QUAYs of type 'platform'. Examples of such groups would be the lower and upper level of a station. + + + + + A type of QUAY that consists of at least two child QUAYs of type 'platformEdge'. + + + + + A type of QUAY which allows direct access to a VEHICLE, e.g. an on-street bus stop, or consists of multiple child QUAYs of type 'platformSector'. + + + + + A QUAY of type 'platformEdge' may be divided into multiple sectors, e.g. "A", "B", "C" etc., to help passengers find a specific part of a vehicle. The first class carriage of a TRAIN might, for example, be assigned to sector "A" of a QUAY. - - - - - - - - Allowed values for TYPE OF TRAIN ELEMENT. (since SIRI 2.1) - - - - - - - - - - - - - - - Allowed values for TRAIN SIZE. (since SIRI 2.1) - - - - - - - - - - Allowed values for TYPE OF FUEL. (since SIRI 2.1) - - - - - - - - - - - - - - - Classification of FARE CLASSes. (since SIRI 2.1) - - - - - List of FARE CLASSes. (since SIRI 2.1) - - - - - List of values for FARE CLASSes. (since SIRI 2.1) - - - - - - Values for Fare Class Facility. (since SIRI 2.1) - - - - - pti23_0 - - - - - pti23_6 - - - - - pti23_7 - - - - - pti23_8 - - - - - - pti23_6_1 - - - - - Business Class - pti23_10 - - - - - Standard class Add pti23_7 - - - - - - pti23_9 - - - - - - - - Allowed values for VEHICLE IN FORMATION STATUS CODE. (since SIRI 2.1) - - - - - - - - - - - - - - - - - - Allowed values for FORMATION CHANGE CODE. (since SIRI 2.1) - - - - - - - - - - - - - - - - + + + + + + + + Allowed values for TYPE OF TRAIN ELEMENT. (since SIRI 2.1) + + + + + + + + + + + + + + + Allowed values for TRAIN SIZE. (since SIRI 2.1) + + + + + + + + + + Allowed values for TYPE OF FUEL. (since SIRI 2.1) + + + + + + + + + + + + + + + Classification of FARE CLASSes. (since SIRI 2.1) + + + + + List of FARE CLASSes. (since SIRI 2.1) + + + + + List of values for FARE CLASSes. (since SIRI 2.1) + + + + + + Values for Fare Class Facility. (since SIRI 2.1) + + + + + pti23_0 + + + + + pti23_6 + + + + + pti23_7 + + + + + pti23_8 + + + + + + pti23_6_1 + + + + + Business Class - pti23_10 + + + + + Standard class Add pti23_7 + + + + + + pti23_9 + + + + + + + + Allowed values for VEHICLE IN FORMATION STATUS CODE. (since SIRI 2.1) + + + + + + + + + + + + + + + + + + Allowed values for FORMATION CHANGE CODE. (since SIRI 2.1) + + + + + + + + + + + + + + + +
diff --git a/xsd/siri_model/siri_modelPermissions.xsd b/xsd/siri_model/siri_modelPermissions.xsd index 67726d65..8e39ef5e 100644 --- a/xsd/siri_model/siri_modelPermissions.xsd +++ b/xsd/siri_model/siri_modelPermissions.xsd @@ -1,52 +1,53 @@ - - - - - - - main schema - e-service developers - Europe - Drafted for version 1.0 CEN TC278 WG3 SG7 Editor Nicholas Knowles, Kizoom. mailto:schemer@siri.org.uk - - 2005-03-18 - - - 2005-03-20 - - - 2005-05-11 - - - 2007-03-29 - - -

SIRI is a European CEN standard for the exchange of real-time information. This subschema defines common permission processing elements for access control. Used for capability defintion and for confioguration access matrix.

-
- - text/xml - http://www.w3.org/2001/XMLSchema - XML schema, W3C Recommendation 2001 - - {http://www.siri.org.uk/schema/2.0/xsd/siri_model}siri_modelPermissions.xsd - [ISO 639-2/B] ENG - CEN - - http://www.siri.org.uk/schema/2.0/xsd/siri_types.xsd - - - CEN, VDV, RTIG 2004-2021 - - -
    -
  • Derived from the VDV, RTIGXML and Trident standards.
  • -
- - Version 2.1 - - Arts, recreation and travel, Tourism, Travel (tourism), Transport, + + + + + + + main schema + e-service developers + Europe + Drafted for version 1.0 CEN TC278 WG3 SG7 Editor Nicholas Knowles, Kizoom. mailto:schemer@siri.org.uk + + 2005-03-18 + + + 2005-03-20 + + + 2005-05-11 + + + 2007-03-29 + + +

SIRI is a European CEN standard for the exchange of real-time information. This subschema defines common permission processing elements for access control. Used for capability defintion and for confioguration access matrix.

+
+ + text/xml + http://www.w3.org/2001/XMLSchema + XML schema, W3C Recommendation 2001 + + {http://www.siri.org.uk/schema/2.0/xsd/siri_model}siri_modelPermissions.xsd + [ISO 639-2/B] ENG + CEN + + http://www.siri.org.uk/schema/2.0/xsd/siri_types.xsd + + + + CEN, VDV, RTIG 2004-2021 + + +
    +
  • Derived from the VDV, RTIGXML and Trident standards.
  • +
+ + Version 2.1 + + Arts, recreation and travel, Tourism, Travel (tourism), Transport, Air transport, Airports, Ports and maritime transport, Ferries (marine), Public transport, Bus services, Coach services, Bus stops and stations, @@ -54,285 +55,285 @@ Rail transport, Railway stations and track, Train services, Underground trains, Business and industry, Transport, Air transport, Ports and maritime transport, Public transport, Rail transport, Roads and road transport - CEN TC278 WG3 SG7 - - SIRI XML schema. Common Permission elements. - Standard -
-
-
- - - Type for abstract permissions. - - - - - Version of permission set. - - - - - - - - - The LINEs that the participant may access. - - - - - - - Participant's permission for this LINE. - - - - - - - - Type for Line Permission. - - - - - - - Reference to a LINE. whose data participant is allowed to access. - - - - - Reference to a DIRECTION of LINE. that participant is allowed to access. - - - - - - - - - The OPERATOR data that the participant may access. - - - - - - - Participant's permission for this OPERATOR. - - - - - - - - Type for OPERATOR Permission. - - - - - - - Reference to an OPERATOR whose data participant is allowed to access. - - - - - - - - - The CONNECTION links that the participant may access. - - - - - - - Participant's permission for this CONNECTION link. - - - - - - - - Type for CONNECTION link Permission. - - - - - - - Reference to a CONNECTION link for which permission is made. - - - - - - - - - Type for Monitoring Point (LOGICAL DISPLAY) Permission. - - - - - - - Reference to a Stop Monitoring point (LOGICAL DISPLAY) to which permission applies. - - - - - - - - - - Whether results can be filtered by VALIDITY PERIOD. Default is 'true'. - - - - - Whether results can be filtered by OPERATOR. Default is 'true'. - - - - - Whether results can be filtered by LINE. Default is 'true' - - - - - Whether results can be filtered by DIRECTION Default is 'true'. - - - - - Whether results can be filtered by Monitoring point (LOGICAL DISPLAY). Fixed as 'true'. - - - - - Whether results can be filtered by CONNECTION LINK. Default is 'true'. - - - - - Whether results can be filtered by DESTINATION. Default is 'false'. - - - - - Whether results can be filtered by VEHICLE. Default is 'false'. - - - - - Whether results can be filtered by SCHEDULED STOP POINT. Default is 'true'. - - - - - Whether results can be filtered by SERVICE JOURNEY INTERCHANGE. Default is 'false'. - - - - - Whether results can be filtered by VEHICLE JOURNEY. Default is 'false'. - - - - - Whether results can be filtered by Facility (EQUIPMENT). Default is 'true'. - - - - - Whether results can be filtered by VEHICLE MODE. Default is 'true'. (since SIRI 2.1) - - - - - Whether results can be filtered by PRODUCT CATEGORY. Default is 'true'. (since SIRI 2.1) - - - - - - Type for Monitoring Service Capability access control. - - - - - - - - - - - - - - - Permission for a single participant or all participants to use an aspect of the service. - - - - - Type for Monitoring Service Permission. - - - - - - - - - - - - - - - Abstract type for capability access control. - - - - - - - - - If access control is supported, whether access control by CONNECTION LINK is supported. Default is 'true'. - - - - - - - - - - If access control is supported, whether access control by OPERATOR is supported. Default is 'true'. - - - - - If access control is supported, whether access control by LINE is supported. Default is 'true'. - - - - - If access control is supported, whether access control by monitoring point (LOGICAL DISPLAY) is supported. Default is 'true'. - - - - - If access control is supported, whether access control by CONNECTION link is supported. Default is 'true'. - - + CEN TC278 WG3 SG7 +
+ SIRI XML schema. Common Permission elements. + Standard +
+
+
+ + + Type for abstract permissions. + + + + + Version of permission set. + + + + + + + + + The LINEs that the participant may access. + + + + + + + Participant's permission for this LINE. + + + + + + + + Type for Line Permission. + + + + + + + Reference to a LINE. whose data participant is allowed to access. + + + + + Reference to a DIRECTION of LINE. that participant is allowed to access. + + + + + + + + + The OPERATOR data that the participant may access. + + + + + + + Participant's permission for this OPERATOR. + + + + + + + + Type for OPERATOR Permission. + + + + + + + Reference to an OPERATOR whose data participant is allowed to access. + + + + + + + + + The CONNECTION links that the participant may access. + + + + + + + Participant's permission for this CONNECTION link. + + + + + + + + Type for CONNECTION link Permission. + + + + + + + Reference to a CONNECTION link for which permission is made. + + + + + + + + + Type for Monitoring Point (LOGICAL DISPLAY) Permission. + + + + + + + Reference to a Stop Monitoring point (LOGICAL DISPLAY) to which permission applies. + + + + + + + + + + Whether results can be filtered by VALIDITY PERIOD. Default is 'true'. + + + + + Whether results can be filtered by OPERATOR. Default is 'true'. + + + + + Whether results can be filtered by LINE. Default is 'true' + + + + + Whether results can be filtered by DIRECTION Default is 'true'. + + + + + Whether results can be filtered by Monitoring point (LOGICAL DISPLAY). Fixed as 'true'. + + + + + Whether results can be filtered by CONNECTION LINK. Default is 'true'. + + + + + Whether results can be filtered by DESTINATION. Default is 'false'. + + + + + Whether results can be filtered by VEHICLE. Default is 'false'. + + + + + Whether results can be filtered by SCHEDULED STOP POINT. Default is 'true'. + + + + + Whether results can be filtered by SERVICE JOURNEY INTERCHANGE. Default is 'false'. + + + + + Whether results can be filtered by VEHICLE JOURNEY. Default is 'false'. + + + + + Whether results can be filtered by Facility (EQUIPMENT). Default is 'true'. + + + + + Whether results can be filtered by VEHICLE MODE. Default is 'true'. (since SIRI 2.1) + + + + + Whether results can be filtered by PRODUCT CATEGORY. Default is 'true'. (since SIRI 2.1) + + + + + + Type for Monitoring Service Capability access control. + + + + + + + + + + + + + + + Permission for a single participant or all participants to use an aspect of the service. + + + + + Type for Monitoring Service Permission. + + + + + + + + + + + + + + + Abstract type for capability access control. + + + + + + + + + If access control is supported, whether access control by CONNECTION LINK is supported. Default is 'true'. + + + + + + + + + + If access control is supported, whether access control by OPERATOR is supported. Default is 'true'. + + + + + If access control is supported, whether access control by LINE is supported. Default is 'true'. + + + + + If access control is supported, whether access control by monitoring point (LOGICAL DISPLAY) is supported. Default is 'true'. + + + + + If access control is supported, whether access control by CONNECTION link is supported. Default is 'true'. + +
diff --git a/xsd/siri_model/siri_modes.xsd b/xsd/siri_model/siri_modes.xsd index d1a31138..d6a230c6 100644 --- a/xsd/siri_model/siri_modes.xsd +++ b/xsd/siri_model/siri_modes.xsd @@ -1,50 +1,50 @@ - - - - main schema - e-service developers - Add names - Europe - >Drafted for version 1.0 Kizoom Incident Schema Nicholas Knowles, Kizoom. mailto:schemer@kizoom.org.uk - - 2004-09-29 - - - 2004-10-01 - - - 2005-02-14 - - - 2007-03-29 - - -

SIRI-SX is an XML schema for the exchange of structured incidents. This subschema describes reason codes

-
- - text/xml - http://www.w3.org/2001/XMLSchema - XML schema, W3C Recommendation 2001 - - {http://www.siri.org.uk/schema/2.0/xsd/siri_model/}siri_modes.xsd - [ISO 639-2/B] ENG - Kizoom, 109-123 Clifton Street, London EC4A 4LD - - - - Kizoom 2000-2005, CEN 2009-2021 - - -
    -
  • Schema derived Derived from the Kizoom XTIS schema
  • -
  • Derived from the TPEG Categories schema
  • -
- - Version 2.1 - - Arts, recreation and travel, Tourism, Travel (tourism), Transport, + + + + main schema + e-service developers + Add names + Europe + >Drafted for version 1.0 Kizoom Incident Schema Nicholas Knowles, Kizoom. mailto:schemer@kizoom.org.uk + + 2004-09-29 + + + 2004-10-01 + + + 2005-02-14 + + + 2007-03-29 + + +

SIRI-SX is an XML schema for the exchange of structured incidents. This subschema describes reason codes

+
+ + text/xml + http://www.w3.org/2001/XMLSchema + XML schema, W3C Recommendation 2001 + + {http://www.siri.org.uk/schema/2.0/xsd/siri_model/}siri_modes.xsd + [ISO 639-2/B] ENG + Kizoom, 109-123 Clifton Street, London EC4A 4LD + + + + Kizoom 2000-2005, CEN 2009-2021 + + +
    +
  • Schema derived Derived from the Kizoom XTIS schema
  • +
  • Derived from the TPEG Categories schema
  • +
+ + Version 2.1 + + Arts, recreation and travel, Tourism, Travel (tourism), Transport, Air transport, Airports, Ports and maritime transport, Ferries (marine), Public transport, Bus services, Coach services, Bus stops and stations, @@ -52,2338 +52,2338 @@ Rail transport, Railway stations and track, Train services, Underground trains, Business and industry, Transport, Air transport, Ports and maritime transport, Public transport, Rail transport, Roads and road transport - CEN TC278 WG3 SG7 - - SIRI XML schema. Service Interface for Real-time Information relating to Public Transport Operations. Subschema of common Mode elements - Standard -
-
- SIRI TRANSPORT MODEs -
- - - - - Transport Sub Modes. - - - - - - - - - PT Transport Sub Modes. - - - - - - - - - - - - - - - - Non-PT Road Submodes. - - - - - - - - - Submode of mode. - - - - - - - - - - - - - - - - Vehicle mode or mode of transport. - - - - - Values for ModesOfTransport : TPEG Pti01 and Pts001 "ModeOfTransport". - - - - - - - - - (SIRI 2.1) - - - - - - - - - - (SIRI 2.1) - - - - - - - (SIRI 2.1) - - - - - Placeholder value if mode of transport is different from all other enumerations in this list (SIRI 2.1) - same meaning as 'undefinedModeOfTransport'. - - - - - - - TPEG Pts1_0 - mode of transport is not known to the source system. - - - - - TPEG Pts1_1 - use 'air' instead. - - - - - TPEG Pts1_2 (SIRI 2.1) - see also 'cableway'. - - - - - TPEG Pts1_3 (SIRI 2.1) - - - - - TPEG Pts1_4 (SIRI 2.1) - use 'lift' instead. - - - - - TPEG Pts1_5 - use 'rail' instead. - - - - - TPEG Pts1_6 - see also 'urbanRail'. - - - - - TPEG Pts1_7 (SIRI 2.1) - - - - - TPEG Pts1_8 (SIRI 2.1) - - - - - TPEG Pts1_9 - use 'funicular' instead. - - - - - TPEG Pts1_10 - use 'bus' instead. - - - - - TPEG Pts1_11 (SIRI 2.1) - use 'trolleyBus' instead. - - - - - TPEG Pts1_12 - use 'coach' instead. - - - - - TPEG Pts1_13 - use 'taxi' instead. - - - - - TPEG Pts1_14 (SIRI 2.1) - - - - - TPEG Pts1_15 - use 'water' instead. - - - - - TPEG Pts1_16 (SIRI 2.1) - - - - - TPEG Pts1_255 (SIRI 2.1) - mode of transport is not supported in this list. - - - - - - - - See also 'suburbanRail'. - - - - - - - See also 'underground'. - - - - - Use 'metro' instead. - - - - - Use 'trolleyBus' instead. - - - - - Use 'tram' instead. - - - - - Use 'water' instead. - - - - - Use 'ferry' instead. - - - - - See also 'cableway'. - - - - - See also 'telecabin'. - - - - - - - - See also 'all'. - - - - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - - - - TPEG Pti02, Pts102 "RailwayService" and train link loc13 submodes. - - - - - Values for Rail ModesOfTransport: TPEG pti_table_02, pts_table_102 "RailwayService" and train link loc_table_13. - - - - - - TPEG Pts102_0 - submode of transport is not known to the source system. - - - - - - (SIRI 2.1) - - - - - - - (SIRI 2.1) - - - - - (SIRI 2.1) - - - - - - TPEG Pts105_6 - - - - - (SIRI 2.1) - - - - - - - (SIRI 2.1) - - - - - - TPEG Pts105_13 - - - - - (SIRI 2.1) - - - - - (SIRI 2.1) - - - - - - - - TPEG Pts102_1 - see also 'highSpeedRail'. - - - - - TPEG Pts102_2 (SIRI 2.1) - see also 'international'. - - - - - TPEG Pts102_3 (SIRI 2.1) - see also 'longDistance'. - - - - - TPEG Pts102_4 (SIRI 2.1) - - - - - TPEG Pts105_5 - see also 'interregionalRail'. - - - - - TPEG Pts105_7 (SIRI 2.1) - - - - - TPEG Pts105_8 (SIRI 2.1) - see also 'regionalRail'. - - - - - TPEG Pts105_9 (SIRI 2.1) - see also 'touristRailway'. - - - - - TPEG Pts105_10 (SIRI 2.1) - see also 'railShuttle'. - - - - - TPEG Pts105_11 (SIRI 2.1) - - - - - TPEG Pts105_12 (SIRI 2.1) - see also 'nightRail'. - - - - - TPEG Pts105_14 (SIRI 2.1) - see also 'specialTrain'. - - - - - TPEG Pts105_15 - - - - - TPEG Pts105_17 (SIRI 2.1) - see also 'vehicleRailTransportService'. - - - - - TPEG Pts105_18 (SIRI 2.1) - - - - - TPEG Pts105_19 (SIRI 2.1) - see also 'additionalTrainService'. - - - - - TPEG Pts105_255 (SIRI 2.1) - see also 'undefined'. - - - - - - - See also 'longDistance'. - - - - - - - - - - Submode of transport is not supported in this list. - - - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - - - - TPEG Pti03 and Pts103 "CoachService" submodes. - - - - - Values for Coach ModesOfTransport: TPEG pti_table_03 and pts_table_103. - - - - - - TPEG Pts103_0 - submode of transport is not known to the source system. - - - - - Submode of transport is not supported in this list. - - - - - (SIRI 2.1) - see also 'internationalCoachService'. - - - - - (SIRI 2.1) - see also 'nationalCoachService'. - - - - - (SIRI 2.1) - see also 'shuttleCoachService'. - - - - - (SIRI 2.1) - see also 'regionalCoachService'. - - - - - (SIRI 2.1) - see also 'specialCoachService'. - - - - - (SIRI 2.1) - - - - - (SIRI 2.1) - see also 'sightseeingCoachService'. - - - - - (SIRI 2.1) - see also 'touristCoachService'. - - - - - (SIRI 2.1) - see also 'commuterCoachService'. - - - - - - - TPEG Pts103_1 - - - - - TPEG Pts103_2 - - - - - TPEG Pts103_3 - - - - - TPEG Pts103_4 - - - - - TPEG Pts103_5 (SIRI 2.1) - - - - - TPEG Pts103_6 (SIRI 2.1) - - - - - TPEG Pts103_7 - - - - - TPEG Pts103_8 - - - - - TPEG Pts103_9 - - - - - TPEG Pts103_10 - - - - - TPEG Pts103_11 (SIRI 2.1) - - - - - TPEG Pts103_255 (SIRI 2.1) - see also 'undefined'. - - - - - - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - - - - TPEG Pti04 metro and Pts104 "UrbanRailwayService" submodes. - - - - - Values for Metro ModesOfTransport: TPEG pti_table_04 and pts_table_104. - - - - - - - TPEG Pts104_0 - submode of transport is not known to the source system. - - - - - Submode of transport is not supported in this list. - - - - - - - - - - - TPEG Pts104_1 (SIRI 2.1) - see also 'metro'. - - - - - TPEG Pts104_2 (SIRI 2.1) - - - - - TPEG Pts104_3 (SIRI 2.1) - - - - - TPEG Pts104_255 (SIRI 2.1) - see also 'undefined'. - - - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - - - - TPEG Pti05 and Pts105 "BusService" submodes. - - - - - Values for Bus ModesOfTransport: TPEG pti_table_05, pts_table_105 and loc_table_10. - - - - - - TPEG Pts105_0 - submode of transport is not known to the source system. - - - - - Submode of transport is not supported in this list. - - - - - (SIRI 2.1) - see also 'localBusService'. - - - - - - - - - - - - - - (SIRI 2.1) - - - - - (SIRI 2.1) - - - - - - - - - - - - TPEG Pts105_1 (SIRI 2.1) - see also 'regionalBus'. - - - - - TPEG Pts105_2 (SIRI 2.1) - - - - - TPEG Pts105_3 (SIRI 2.1) - see also 'expressBus'. - - - - - TPEG Pts105_4 (SIRI 2.1) - - - - - TPEG Pts105_5 (SIRI 2.1) - - - - - TPEG Pts105_6 (SIRI 2.1) - see also 'nightBus'. - - - - - TPEG Pts105_7 (SIRI 2.1) - see also 'postBus'. - - - - - TPEG Pts105_8 (SIRI 2.1) - see also 'specialNeedsBus'. - - - - - TPEG Pts105_9 (SIRI 2.1) - see also 'mobilityBus'. - - - - - TPEG Pts105_10 (SIRI 2.1) - see also 'mobilityBusForRegisteredDisabled'. - - - - - TPEG Pts105_11 (SIRI 2.1) - see also 'sightseeingBus'. - - - - - TPEG Pts105_12 (SIRI 2.1) - see also 'shuttleBus'. - - - - - TPEG Pts105_13 (SIRI 2.1) - see also 'schoolBus'. - - - - - TPEG Pts105_14 (SIRI 2.1) - see also 'schoolAndPublicServiceBus'. - - - - - TPEG Pts105_15 (SIRI 2.1) - see also 'railReplacementBus'. - - - - - TPEG Pts105_16 (SIRI 2.1) - see also 'demandAndResponseBus'. - - - - - TPEG Pts105_255 (SIRI 2.1) - see also 'undefined'. - - - - - - - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - - - - TPEG Pti06 tram and Pts104 "UrbanRailwayService" submodes. - - - - - Values for Tram ModesOfTransport: TPEG pti_table_06, pts_table_104 and loc_table_12. - - - - - - TPEG Pts104_0 - submode of transport is not known to the source system. - - - - - (SIRI 2.1) - see also 'undefinedTramService'. - - - - - - (SIRI 2.1) - see also 'localTramService'. - - - - - - - - (SIRI 2.1) - - - - - - - TPEG Pts104_4 (SIRI 2.1) - - - - - TPEG Pts104_5 (SIRI 2.1) - see also 'cityTram'. - - - - - TPEG Pts104_6 (SIRI 2.1) - see also 'regionalTram'. - - - - - TPEG Pts104_7 (SIRI 2.1) - see also 'sightseeingTram'. - - - - - TPEG Pts104_8 (SIRI 2.1) - - - - - TPEG Pts104_9 (SIRI 2.1) - see also 'shuttleTram'. - - - - - TPEG Pts104_255 (SIRI 2.1) - see also 'undefined'. - - - - - - - - Submode of transport is not supported in this list. - - - - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - - - - TPEG Pti07 and Pts107 "WaterTransportService" submodes. - - - - - Values for Water ModesOfTransport: TPEG pti_table_07 and pts_table_107. - - - - - - TPEG Pts107_0 - submode of transport is not known to the source system. - - - - - (SIRI 2.1) - see also 'undefinedWaterTransport'. - - - - - (SIRI 2.1) - see also 'internationalCarFerryService'. - - - - - (SIRI 2.1) - see also 'nationalCarFerryService'. - - - - - (SIRI 2.1) - see also 'regionalCarFerryService'. - - - - - (SIRI 2.1) - see also 'localCarFerryService'. - - - - - - - - - - - - - - - - - - - - - (SIRI 2.1) - - - - - - - TPEG Pts107_2 - - - - - TPEG Pts107_3 - - - - - TPEG Pts107_4 - - - - - TPEG Pts107_5 - - - - - TPEG Pts107_6 (SIRI 2.1) - see also 'internationalPassengerFerry'. - - - - - TPEG Pts107_7 (SIRI 2.1) - see also 'nationalPassengerFerry'. - - - - - TPEG Pts107_8 (SIRI 2.1) - see also 'regionalPassengerFerry'. - - - - - TPEG Pts107_9 (SIRI 2.1) - see also 'localPassengerFerry'. - - - - - TPEG Pts107_10 (SIRI 2.1) - see also 'postBoat'. - - - - - TPEG Pts107_11 (SIRI 2.1) - see also 'trainFerry'. - - - - - TPEG Pts107_12 (SIRI 2.1) - see also 'roadFerryLink'. - - - - - TPEG Pts107_13 (SIRI 2.1) - see also 'airportBoatLink'. - - - - - TPEG Pts107_14 (SIRI 2.1) - see also 'highSpeedVehicleService'. - - - - - TPEG Pts107_15 (SIRI 2.1) - see also 'highSpeedPassengerService'. - - - - - TPEG Pts107_16 (SIRI 2.1) - see also 'scheduledFerry'. - - - - - TPEG Pts107_17 (SIRI 2.1) - - - - - TPEG Pts107_18 (SIRI 2.1) - - - - - TPEG Pts107_19 (SIRI 2.1) - see also 'sightseeingService'. - - - - - TPEG Pts107_20 (SIRI 2.1) - see also 'schoolBoat'. - - - - - TPEG Pts107_21 (SIRI 2.1) - see also 'riverBus'. - - - - - TPEG Pts107_22 (SIRI 2.1) - see also 'scheduledFerry'. - - - - - TPEG Pts107_23 (SIRI 2.1) - see also 'shuttleFerry'. - - - - - TPEG Pts107_255 (SIRI 2.1) - see also 'undefinedWaterTransport'. - - - - - - - Submode of transport is not supported in this list. - - - - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - - - - TPEG Pti08 and Pts108 "AirService" submodes. - - - - - Values for Air ModesOfTransport: TPEG pti_table_08 and pts_table_108. - - - - - - TPEG Pts108_0 - submode of transport is not known to the source system. - - - - - (SIRI 2.1) - see also 'undefinedAircraftService'. - - - - - - - - - - - - - - - - - TPEG Pts108_13 - - - - - - - - TPEG Pts108_1 (SIRI 2.1) - see also 'internationalFlight'. - - - - - TPEG Pts108_2 (SIRI 2.1) - see also 'domesticFlight'. - - - - - TPEG Pts108_3 (SIRI 2.1) - see also 'intercontinentalFlight'. - - - - - TPEG Pts108_4 (SIRI 2.1) - see also 'domesticScheduledFlight'. - - - - - TPEG Pts108_5 (SIRI 2.1) - see also 'shuttleFlight'. - - - - - TPEG Pts108_6 (SIRI 2.1) - see also 'intercontinentalCharterFlight'. - - - - - TPEG Pts108_7 (SIRI 2.1) - see also 'intercontinentalCharterFlight'. - - - - - TPEG Pts108_8 (SIRI 2.1) - see also 'roundTripCharterFlight'. - - - - - TPEG Pts108_9 (SIRI 2.1) - see also 'sightseeingFlight'. - - - - - TPEG Pts108_10 (SIRI 2.1) - see also 'helicopterService'. - - - - - TPEG Pts108_11 (SIRI 2.1) - see also 'domesticCharterFlight'. - - - - - TPEG Pts108_12 (SIRI 2.1) - see also 'SchengenAreaFlight'. - - - - - TPEG Pts108_14 (SIRI 2.1) - - - - - TPEG Pts108_15 (SIRI 2.1) - see also 'undefinedAircraftService'. - - - - - - - Submode of transport is not supported in this list. - - - - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - - - - TPEG Pti09 telecabin and Pts109 "GondolaCableCarService" submodes. - - - - - Values for Telecabin ModesOfTransport: TPEG pti_table_09, pts_table_109 and loc_table_14. - - - - - - TPEG Pts109_0 - submode of transport is not known to the source system. - - - - - Submode of transport is not supported in this list. - - - - - - - - - - - - - TPEG Pts109_1 (SIRI 2.1) - - - - - TPEG Pts109_2 (SIRI 2.1) - - - - - TPEG Pts109_255 (SIRI 2.1) - see also 'undefined'. - - - - - - - - - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - - - - TPEG pti10 Funicular submodes. - - - - - Values for Funicular ModesOfTransport: TPEG pti_table_10. - - - - - - Submode of transport is not known to the source system. - - - - - - (SIRI 2.1) - - - - - - Submode of transport is not supported in this list. - - - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - - - DEPRECATED since SIRI 2.1 - - - - - - - - TPEG pti11 Taxi submodes. - - - - - Values for Taxi ModesOfTransport: TPEG pti_table_11. - - - - - - Submode of transport is not known to the source system. - - - - - (SIRI 2.1) - see also 'undefinedTaxiService'. - - - - - - (SIRI 2.1) - - - - - - - - - - - Submode of transport is not supported in this list. - - - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - - - - TPEG pti12 SelfDrive submodes. - - - - - Values for SelfDrive ModesOfTransport: TPEG pti_table_12. - - - - - - Submode of transport is not known to the source system. - - - - - (SIRI 2.1) - see also 'undefinedHireVehicle'. - - - - - - - - - - Submode of transport is not supported in this list. - - - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - - DEPRECATED since SIRI 2.1 - - - - + CEN TC278 WG3 SG7 +
+ SIRI XML schema. Service Interface for Real-time Information relating to Public Transport Operations. Subschema of common Mode elements + Standard +
+
+ SIRI TRANSPORT MODEs +
+ + + + + Transport Sub Modes. + + + + + + + + + PT Transport Sub Modes. + + + + + + + + + + + + + + + + Non-PT Road Submodes. + + + + + + + + + Submode of mode. + + + + + + + + + + + + + + + + Vehicle mode or mode of transport. + + + + + Values for ModesOfTransport : TPEG Pti01 and Pts001 "ModeOfTransport". + + + + + + + + + (SIRI 2.1) + + + + + + + + + + (SIRI 2.1) + + + + + + + (SIRI 2.1) + + + + + Placeholder value if mode of transport is different from all other enumerations in this list (SIRI 2.1) - same meaning as 'undefinedModeOfTransport'. + + + + + + + TPEG Pts1_0 - mode of transport is not known to the source system. + + + + + TPEG Pts1_1 - use 'air' instead. + + + + + TPEG Pts1_2 (SIRI 2.1) - see also 'cableway'. + + + + + TPEG Pts1_3 (SIRI 2.1) + + + + + TPEG Pts1_4 (SIRI 2.1) - use 'lift' instead. + + + + + TPEG Pts1_5 - use 'rail' instead. + + + + + TPEG Pts1_6 - see also 'urbanRail'. + + + + + TPEG Pts1_7 (SIRI 2.1) + + + + + TPEG Pts1_8 (SIRI 2.1) + + + + + TPEG Pts1_9 - use 'funicular' instead. + + + + + TPEG Pts1_10 - use 'bus' instead. + + + + + TPEG Pts1_11 (SIRI 2.1) - use 'trolleyBus' instead. + + + + + TPEG Pts1_12 - use 'coach' instead. + + + + + TPEG Pts1_13 - use 'taxi' instead. + + + + + TPEG Pts1_14 (SIRI 2.1) + + + + + TPEG Pts1_15 - use 'water' instead. + + + + + TPEG Pts1_16 (SIRI 2.1) + + + + + TPEG Pts1_255 (SIRI 2.1) - mode of transport is not supported in this list. + + + + + + + + See also 'suburbanRail'. + + + + + + + See also 'underground'. + + + + + Use 'metro' instead. + + + + + Use 'trolleyBus' instead. + + + + + Use 'tram' instead. + + + + + Use 'water' instead. + + + + + Use 'ferry' instead. + + + + + See also 'cableway'. + + + + + See also 'telecabin'. + + + + + + + + See also 'all'. + + + + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + + + + TPEG Pti02, Pts102 "RailwayService" and train link loc13 submodes. + + + + + Values for Rail ModesOfTransport: TPEG pti_table_02, pts_table_102 "RailwayService" and train link loc_table_13. + + + + + + TPEG Pts102_0 - submode of transport is not known to the source system. + + + + + + (SIRI 2.1) + + + + + + + (SIRI 2.1) + + + + + (SIRI 2.1) + + + + + + TPEG Pts105_6 + + + + + (SIRI 2.1) + + + + + + + (SIRI 2.1) + + + + + + TPEG Pts105_13 + + + + + (SIRI 2.1) + + + + + (SIRI 2.1) + + + + + + + + TPEG Pts102_1 - see also 'highSpeedRail'. + + + + + TPEG Pts102_2 (SIRI 2.1) - see also 'international'. + + + + + TPEG Pts102_3 (SIRI 2.1) - see also 'longDistance'. + + + + + TPEG Pts102_4 (SIRI 2.1) + + + + + TPEG Pts105_5 - see also 'interregionalRail'. + + + + + TPEG Pts105_7 (SIRI 2.1) + + + + + TPEG Pts105_8 (SIRI 2.1) - see also 'regionalRail'. + + + + + TPEG Pts105_9 (SIRI 2.1) - see also 'touristRailway'. + + + + + TPEG Pts105_10 (SIRI 2.1) - see also 'railShuttle'. + + + + + TPEG Pts105_11 (SIRI 2.1) + + + + + TPEG Pts105_12 (SIRI 2.1) - see also 'nightRail'. + + + + + TPEG Pts105_14 (SIRI 2.1) - see also 'specialTrain'. + + + + + TPEG Pts105_15 + + + + + TPEG Pts105_17 (SIRI 2.1) - see also 'vehicleRailTransportService'. + + + + + TPEG Pts105_18 (SIRI 2.1) + + + + + TPEG Pts105_19 (SIRI 2.1) - see also 'additionalTrainService'. + + + + + TPEG Pts105_255 (SIRI 2.1) - see also 'undefined'. + + + + + + + See also 'longDistance'. + + + + + + + + + + Submode of transport is not supported in this list. + + + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + + + + TPEG Pti03 and Pts103 "CoachService" submodes. + + + + + Values for Coach ModesOfTransport: TPEG pti_table_03 and pts_table_103. + + + + + + TPEG Pts103_0 - submode of transport is not known to the source system. + + + + + Submode of transport is not supported in this list. + + + + + (SIRI 2.1) - see also 'internationalCoachService'. + + + + + (SIRI 2.1) - see also 'nationalCoachService'. + + + + + (SIRI 2.1) - see also 'shuttleCoachService'. + + + + + (SIRI 2.1) - see also 'regionalCoachService'. + + + + + (SIRI 2.1) - see also 'specialCoachService'. + + + + + (SIRI 2.1) + + + + + (SIRI 2.1) - see also 'sightseeingCoachService'. + + + + + (SIRI 2.1) - see also 'touristCoachService'. + + + + + (SIRI 2.1) - see also 'commuterCoachService'. + + + + + + + TPEG Pts103_1 + + + + + TPEG Pts103_2 + + + + + TPEG Pts103_3 + + + + + TPEG Pts103_4 + + + + + TPEG Pts103_5 (SIRI 2.1) + + + + + TPEG Pts103_6 (SIRI 2.1) + + + + + TPEG Pts103_7 + + + + + TPEG Pts103_8 + + + + + TPEG Pts103_9 + + + + + TPEG Pts103_10 + + + + + TPEG Pts103_11 (SIRI 2.1) + + + + + TPEG Pts103_255 (SIRI 2.1) - see also 'undefined'. + + + + + + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + + + + TPEG Pti04 metro and Pts104 "UrbanRailwayService" submodes. + + + + + Values for Metro ModesOfTransport: TPEG pti_table_04 and pts_table_104. + + + + + + + TPEG Pts104_0 - submode of transport is not known to the source system. + + + + + Submode of transport is not supported in this list. + + + + + + + + + + + TPEG Pts104_1 (SIRI 2.1) - see also 'metro'. + + + + + TPEG Pts104_2 (SIRI 2.1) + + + + + TPEG Pts104_3 (SIRI 2.1) + + + + + TPEG Pts104_255 (SIRI 2.1) - see also 'undefined'. + + + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + + + + TPEG Pti05 and Pts105 "BusService" submodes. + + + + + Values for Bus ModesOfTransport: TPEG pti_table_05, pts_table_105 and loc_table_10. + + + + + + TPEG Pts105_0 - submode of transport is not known to the source system. + + + + + Submode of transport is not supported in this list. + + + + + (SIRI 2.1) - see also 'localBusService'. + + + + + + + + + + + + + + (SIRI 2.1) + + + + + (SIRI 2.1) + + + + + + + + + + + + TPEG Pts105_1 (SIRI 2.1) - see also 'regionalBus'. + + + + + TPEG Pts105_2 (SIRI 2.1) + + + + + TPEG Pts105_3 (SIRI 2.1) - see also 'expressBus'. + + + + + TPEG Pts105_4 (SIRI 2.1) + + + + + TPEG Pts105_5 (SIRI 2.1) + + + + + TPEG Pts105_6 (SIRI 2.1) - see also 'nightBus'. + + + + + TPEG Pts105_7 (SIRI 2.1) - see also 'postBus'. + + + + + TPEG Pts105_8 (SIRI 2.1) - see also 'specialNeedsBus'. + + + + + TPEG Pts105_9 (SIRI 2.1) - see also 'mobilityBus'. + + + + + TPEG Pts105_10 (SIRI 2.1) - see also 'mobilityBusForRegisteredDisabled'. + + + + + TPEG Pts105_11 (SIRI 2.1) - see also 'sightseeingBus'. + + + + + TPEG Pts105_12 (SIRI 2.1) - see also 'shuttleBus'. + + + + + TPEG Pts105_13 (SIRI 2.1) - see also 'schoolBus'. + + + + + TPEG Pts105_14 (SIRI 2.1) - see also 'schoolAndPublicServiceBus'. + + + + + TPEG Pts105_15 (SIRI 2.1) - see also 'railReplacementBus'. + + + + + TPEG Pts105_16 (SIRI 2.1) - see also 'demandAndResponseBus'. + + + + + TPEG Pts105_255 (SIRI 2.1) - see also 'undefined'. + + + + + + + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + + + + TPEG Pti06 tram and Pts104 "UrbanRailwayService" submodes. + + + + + Values for Tram ModesOfTransport: TPEG pti_table_06, pts_table_104 and loc_table_12. + + + + + + TPEG Pts104_0 - submode of transport is not known to the source system. + + + + + (SIRI 2.1) - see also 'undefinedTramService'. + + + + + + (SIRI 2.1) - see also 'localTramService'. + + + + + + + + (SIRI 2.1) + + + + + + + TPEG Pts104_4 (SIRI 2.1) + + + + + TPEG Pts104_5 (SIRI 2.1) - see also 'cityTram'. + + + + + TPEG Pts104_6 (SIRI 2.1) - see also 'regionalTram'. + + + + + TPEG Pts104_7 (SIRI 2.1) - see also 'sightseeingTram'. + + + + + TPEG Pts104_8 (SIRI 2.1) + + + + + TPEG Pts104_9 (SIRI 2.1) - see also 'shuttleTram'. + + + + + TPEG Pts104_255 (SIRI 2.1) - see also 'undefined'. + + + + + + + + Submode of transport is not supported in this list. + + + + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + + + + TPEG Pti07 and Pts107 "WaterTransportService" submodes. + + + + + Values for Water ModesOfTransport: TPEG pti_table_07 and pts_table_107. + + + + + + TPEG Pts107_0 - submode of transport is not known to the source system. + + + + + (SIRI 2.1) - see also 'undefinedWaterTransport'. + + + + + (SIRI 2.1) - see also 'internationalCarFerryService'. + + + + + (SIRI 2.1) - see also 'nationalCarFerryService'. + + + + + (SIRI 2.1) - see also 'regionalCarFerryService'. + + + + + (SIRI 2.1) - see also 'localCarFerryService'. + + + + + + + + + + + + + + + + + + + + + (SIRI 2.1) + + + + + + + TPEG Pts107_2 + + + + + TPEG Pts107_3 + + + + + TPEG Pts107_4 + + + + + TPEG Pts107_5 + + + + + TPEG Pts107_6 (SIRI 2.1) - see also 'internationalPassengerFerry'. + + + + + TPEG Pts107_7 (SIRI 2.1) - see also 'nationalPassengerFerry'. + + + + + TPEG Pts107_8 (SIRI 2.1) - see also 'regionalPassengerFerry'. + + + + + TPEG Pts107_9 (SIRI 2.1) - see also 'localPassengerFerry'. + + + + + TPEG Pts107_10 (SIRI 2.1) - see also 'postBoat'. + + + + + TPEG Pts107_11 (SIRI 2.1) - see also 'trainFerry'. + + + + + TPEG Pts107_12 (SIRI 2.1) - see also 'roadFerryLink'. + + + + + TPEG Pts107_13 (SIRI 2.1) - see also 'airportBoatLink'. + + + + + TPEG Pts107_14 (SIRI 2.1) - see also 'highSpeedVehicleService'. + + + + + TPEG Pts107_15 (SIRI 2.1) - see also 'highSpeedPassengerService'. + + + + + TPEG Pts107_16 (SIRI 2.1) - see also 'scheduledFerry'. + + + + + TPEG Pts107_17 (SIRI 2.1) + + + + + TPEG Pts107_18 (SIRI 2.1) + + + + + TPEG Pts107_19 (SIRI 2.1) - see also 'sightseeingService'. + + + + + TPEG Pts107_20 (SIRI 2.1) - see also 'schoolBoat'. + + + + + TPEG Pts107_21 (SIRI 2.1) - see also 'riverBus'. + + + + + TPEG Pts107_22 (SIRI 2.1) - see also 'scheduledFerry'. + + + + + TPEG Pts107_23 (SIRI 2.1) - see also 'shuttleFerry'. + + + + + TPEG Pts107_255 (SIRI 2.1) - see also 'undefinedWaterTransport'. + + + + + + + Submode of transport is not supported in this list. + + + + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + + + + TPEG Pti08 and Pts108 "AirService" submodes. + + + + + Values for Air ModesOfTransport: TPEG pti_table_08 and pts_table_108. + + + + + + TPEG Pts108_0 - submode of transport is not known to the source system. + + + + + (SIRI 2.1) - see also 'undefinedAircraftService'. + + + + + + + + + + + + + + + + + TPEG Pts108_13 + + + + + + + + TPEG Pts108_1 (SIRI 2.1) - see also 'internationalFlight'. + + + + + TPEG Pts108_2 (SIRI 2.1) - see also 'domesticFlight'. + + + + + TPEG Pts108_3 (SIRI 2.1) - see also 'intercontinentalFlight'. + + + + + TPEG Pts108_4 (SIRI 2.1) - see also 'domesticScheduledFlight'. + + + + + TPEG Pts108_5 (SIRI 2.1) - see also 'shuttleFlight'. + + + + + TPEG Pts108_6 (SIRI 2.1) - see also 'intercontinentalCharterFlight'. + + + + + TPEG Pts108_7 (SIRI 2.1) - see also 'intercontinentalCharterFlight'. + + + + + TPEG Pts108_8 (SIRI 2.1) - see also 'roundTripCharterFlight'. + + + + + TPEG Pts108_9 (SIRI 2.1) - see also 'sightseeingFlight'. + + + + + TPEG Pts108_10 (SIRI 2.1) - see also 'helicopterService'. + + + + + TPEG Pts108_11 (SIRI 2.1) - see also 'domesticCharterFlight'. + + + + + TPEG Pts108_12 (SIRI 2.1) - see also 'SchengenAreaFlight'. + + + + + TPEG Pts108_14 (SIRI 2.1) + + + + + TPEG Pts108_15 (SIRI 2.1) - see also 'undefinedAircraftService'. + + + + + + + Submode of transport is not supported in this list. + + + + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + + + + TPEG Pti09 telecabin and Pts109 "GondolaCableCarService" submodes. + + + + + Values for Telecabin ModesOfTransport: TPEG pti_table_09, pts_table_109 and loc_table_14. + + + + + + TPEG Pts109_0 - submode of transport is not known to the source system. + + + + + Submode of transport is not supported in this list. + + + + + + + + + + + + + TPEG Pts109_1 (SIRI 2.1) + + + + + TPEG Pts109_2 (SIRI 2.1) + + + + + TPEG Pts109_255 (SIRI 2.1) - see also 'undefined'. + + + + + + + + + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + + + + TPEG pti10 Funicular submodes. + + + + + Values for Funicular ModesOfTransport: TPEG pti_table_10. + + + + + + Submode of transport is not known to the source system. + + + + + + (SIRI 2.1) + + + + + + Submode of transport is not supported in this list. + + + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + + + DEPRECATED since SIRI 2.1 + + + + + + + + TPEG pti11 Taxi submodes. + + + + + Values for Taxi ModesOfTransport: TPEG pti_table_11. + + + + + + Submode of transport is not known to the source system. + + + + + (SIRI 2.1) - see also 'undefinedTaxiService'. + + + + + + (SIRI 2.1) + + + + + + + + + + + Submode of transport is not supported in this list. + + + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + + + + TPEG pti12 SelfDrive submodes. + + + + + Values for SelfDrive ModesOfTransport: TPEG pti_table_12. + + + + + + Submode of transport is not known to the source system. + + + + + (SIRI 2.1) - see also 'undefinedHireVehicle'. + + + + + + + + + + Submode of transport is not supported in this list. + + + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + + + DEPRECATED since SIRI 2.1 + + + +
diff --git a/xsd/siri_model/siri_monitoredVehicleJourney.xsd b/xsd/siri_model/siri_monitoredVehicleJourney.xsd index 626b52f5..df0e4836 100644 --- a/xsd/siri_model/siri_monitoredVehicleJourney.xsd +++ b/xsd/siri_model/siri_monitoredVehicleJourney.xsd @@ -1,39 +1,39 @@ - - - - main schema - e-service developers - Cen TC278 WG3 SG7 Team - Europe - Drafted for version 1.0 CEN TC278 WG3 SG7 Editor Nicholas Knowles, Kizoom. mailto:schemer@siri.org.uk - - 2004-03-05 - - - 2004-10-06 - - - 2005-05-11 - - - 2005-11-15 - - - 2007-03-29 - - - 2008-11-13 - - - - 2011-04-18 - - - - 2012-03-22 - + + + 2011-04-18 + + + + 2012-03-22 + - - - 2012-04-27 - - - - 2012-04-27 - + + + 2012-04-27 + - - -

SIRI is a European CEN technical standard for the exchange of real-time information .

-

This subschema defines common journey elements.

-
- - text/xml - http://www.w3.org/2001/XMLSchema - XML schema, W3C Recommendation 2001 - - {http://www.siri.org.uk/schema/2.0/xsd/siri_model/}siri_monitoredVehicleJourney.xsd - [ISO 639-2/B] ENG - Kizoom, 109-123 Clifton Street, London EC4A 4LD - - http://www.siri.org.uk/schema/2.0/xsd/siri_utility/siri_types.xsd - - - - CEN, VDV, RTIG 2004-2021 - - -
    -
  • Derived from the VDV, RTIG CML and Trident standards.
  • -
- - Version 2.1 - - Arts, recreation and travel, Tourism, Travel (tourism), Transport, + + +

SIRI is a European CEN technical standard for the exchange of real-time information .

+

This subschema defines common journey elements.

+
+ + text/xml + http://www.w3.org/2001/XMLSchema + XML schema, W3C Recommendation 2001 + + {http://www.siri.org.uk/schema/2.0/xsd/siri_model/}siri_monitoredVehicleJourney.xsd + [ISO 639-2/B] ENG + Kizoom, 109-123 Clifton Street, London EC4A 4LD + + http://www.siri.org.uk/schema/2.0/xsd/siri_utility/siri_types.xsd + + + + CEN, VDV, RTIG 2004-2021 + + +
    +
  • Derived from the VDV, RTIG CML and Trident standards.
  • +
+ + Version 2.1 + + Arts, recreation and travel, Tourism, Travel (tourism), Transport, Air transport, Airports, Ports and maritime transport, Ferries (marine), Public transport, Bus services, Coach services, Bus stops and stations, @@ -98,548 +98,548 @@ Rail transport, Railway stations and track, Train services, Underground trains, Business and industry, Transport, Air transport, Ports and maritime transport, Public transport, Rail transport, Roads and road transport - CEN TC278 WG3 SG7 - - SIRI XML schema. Service Interface for Real-time Information relating to Public Transport Operations. Subschema of common Journey elements - Standard -
-
- SIRI MONITORED VEHICLE JOURNEY Model. -
- - - - - - Type for Monitored VEHICLE JOURNEY. - - - - - - - - - - - - - - Elements describing the real-time progress of a monitored VEHICLE JOURNEY. - - - - - Whether there is real-time information available for journey. Default is 'true'. + CEN TC278 WG3 SG7 + + SIRI XML schema. Service Interface for Real-time Information relating to Public Transport Operations. Subschema of common Journey elements + Standard + + + SIRI MONITORED VEHICLE JOURNEY Model. + + + + + + + Type for Monitored VEHICLE JOURNEY. + + + + + + + + + + + + + + Elements describing the real-time progress of a monitored VEHICLE JOURNEY. + + + + + Whether there is real-time information available for journey. Default is 'true'. It is recommended to specify a MonitoringError if Monitored is set to 'false'. - - - - - If Monitored is 'false', a (list of) reason(s) for non-availability of real-time data. Examples are "GPS", "GPRS", "Radio" etc. + + + + + If Monitored is 'false', a (list of) reason(s) for non-availability of real-time data. Examples are "GPS", "GPRS", "Radio" etc. MonitoringError must not be used if Monitored is omitted or set to 'true'. - - - - - - - - - Elements describing the qua;ity of real-time progress data of a journey. - - - - - Whether the VEHICLE iis in traffic congestion. If not, present, not known. - - - - - Whether the panic alarm on the VEHICLE is activated. This may lead to indeterminate predictions. If absent, default is 'false'. - - - - - - - System originating real-time data. Can be used to make judgements of relative quality and accuracy compared to other feeds. - - - - - Confidence QUALITY LEVEL of data. Default is 'reliable'. - - - - - - - Elements describing the real-time progress of a journey. - - - - - Current geospatial location of VEHICLE. Measured to front of vehicle. - - - - - Time at which location was recorded. If not present assume that the recorded at time on the containing delivery. - - - - - Bearing in compass degrees in which VEHICLE is heading. - - - - - Rate of progress of VEHICLE. Default is 'normal' - - - - - Velocity of VEHICLE. EIther actual speed or average speed may be used. (since SIRI 2.0) - - - - - Whether the engine of the vehicle is on. Default is 'true' (since SIRI 2.0) - - - - - - Delay of VEHICLE against schedule, to a precision in seconds. Early times are shown as negative values. - - - - - An arbitrary textual status description of the running of this VEHICLE JOURNEY. (Unbounded 0:* since SIRI 2.0) - - - - - An classification of the progress state of running of this VEHICLE JOURNEY. (since SIRI 2.0) - - - - - - - Elements describing the main places bewteen which a VEHICLE JOURNEY runs. - - - - - Origin of the VEHICLE JOURNEY. - - - - - - - - - - - VIA points for VEHICLE JOURNEY - - - - - - - - Relative priority for incliding via in displays. 1 Is high 3 is low. (since SIRI 2.0) - - - - - - - - Destination of VEHICLE JOURNEY. - - - - - - - - - - - - - The service pattern of a monitored VEHICLE JOURNEY. CALLs should be assigned to one of three groups according to the vehicle's current position. - - - - - Information on stops called at previously, origin and all intermediate stops up to but not including the current stop, in order or visits. Should only be included if the detail level was requested. - - - - - Monitored CALL at the current stop. + + + + + + + + + Elements describing the qua;ity of real-time progress data of a journey. + + + + + Whether the VEHICLE iis in traffic congestion. If not, present, not known. + + + + + Whether the panic alarm on the VEHICLE is activated. This may lead to indeterminate predictions. If absent, default is 'false'. + + + + + + + System originating real-time data. Can be used to make judgements of relative quality and accuracy compared to other feeds. + + + + + Confidence QUALITY LEVEL of data. Default is 'reliable'. + + + + + + + Elements describing the real-time progress of a journey. + + + + + Current geospatial location of VEHICLE. Measured to front of vehicle. + + + + + Time at which location was recorded. If not present assume that the recorded at time on the containing delivery. + + + + + Bearing in compass degrees in which VEHICLE is heading. + + + + + Rate of progress of VEHICLE. Default is 'normal' + + + + + Velocity of VEHICLE. EIther actual speed or average speed may be used. (since SIRI 2.0) + + + + + Whether the engine of the vehicle is on. Default is 'true' (since SIRI 2.0) + + + + + + Delay of VEHICLE against schedule, to a precision in seconds. Early times are shown as negative values. + + + + + An arbitrary textual status description of the running of this VEHICLE JOURNEY. (Unbounded 0:* since SIRI 2.0) + + + + + An classification of the progress state of running of this VEHICLE JOURNEY. (since SIRI 2.0) + + + + + + + Elements describing the main places bewteen which a VEHICLE JOURNEY runs. + + + + + Origin of the VEHICLE JOURNEY. + + + + + + + + + + + VIA points for VEHICLE JOURNEY + + + + + + + + Relative priority for incliding via in displays. 1 Is high 3 is low. (since SIRI 2.0) + + + + + + + + Destination of VEHICLE JOURNEY. + + + + + + + + + + + + + The service pattern of a monitored VEHICLE JOURNEY. CALLs should be assigned to one of three groups according to the vehicle's current position. + + + + + Information on stops called at previously, origin and all intermediate stops up to but not including the current stop, in order or visits. Should only be included if the detail level was requested. + + + + + Monitored CALL at the current stop. For SIRI-SM this is the stop for which data is requested. For SIRI-VM this is the most recent stop visited by the VEHICLE. - - - - - Information on CALLs at the intermediate stops beyond the current stop, up to and including the destination, in order of visits. Should only be included if the detail level was requested. - - - - - Whether the above CALL sequence is complete, i.e. represents every CALL of the ROUTE and so can be used to replace a previous CALL sequence. Default is 'false'. - - - - - - - - Type for a reference to JOURNEY PART. (since SIRI 2.0) - - - - - Reference to a JOURNEY part. (since SIRI 2.0) - - - - - Train Number for JOURNEY PART (since SIRI 2.0) - - - - - OPERATOR of JOURNEY PART. (since SIRI 2.0) - - - - - Reference to COMPOUND TRAIN that represents the train formation/composition as a whole (for this JOURNEY PART). (since SIRI 2.1) + + + + + Information on CALLs at the intermediate stops beyond the current stop, up to and including the destination, in order of visits. Should only be included if the detail level was requested. + + + + + Whether the above CALL sequence is complete, i.e. represents every CALL of the ROUTE and so can be used to replace a previous CALL sequence. Default is 'false'. + + + + + + + + Type for a reference to JOURNEY PART. (since SIRI 2.0) + + + + + Reference to a JOURNEY part. (since SIRI 2.0) + + + + + Train Number for JOURNEY PART (since SIRI 2.0) + + + + + OPERATOR of JOURNEY PART. (since SIRI 2.0) + + + + + Reference to COMPOUND TRAIN that represents the train formation/composition as a whole (for this JOURNEY PART). (since SIRI 2.1) A journey does always have one or more JOURNEY PARTs for which the train formation/composition remains unchanged. - - - - - - - - Type for a reference to JOURNEY PART. (since SIRI 2.1) - - - - - Reference to a JOURNEY part. - - - - - Train Number for JOURNEY PART. - - - - - OPERATOR of JOURNEY PART. - - - - - Reference to COMPOUND TRAIN that represents the train formation/composition as a whole (for this JOURNEY PART). (since SIRI 2.1) + + + + + + + + Type for a reference to JOURNEY PART. (since SIRI 2.1) + + + + + Reference to a JOURNEY part. + + + + + Train Number for JOURNEY PART. + + + + + OPERATOR of JOURNEY PART. + + + + + Reference to COMPOUND TRAIN that represents the train formation/composition as a whole (for this JOURNEY PART). (since SIRI 2.1) A journey does always have one or more JOURNEY PARTs for which the train formation/composition remains unchanged. - - - - - - - - If no JOURNEY PART reference is available (or in addition to the reference), identify it indirectly by From-/ToStopPointRef and Start-/EndTime (i.e. the scheduled times at these stops). (since SIRI 2.1) - - - - - Reference to the SCHEDULED STOP POINT at which the related JOURNEY PART begins. - - - - - Reference to the SCHEDULED STOP POINT at which the related JOURNEY PART ends. - - - - - Time at which the related JOURNEY PART begins. - - - - - Time at which the related JOURNEY PART ends. - - - - - - - - Type for BLOCK part elements of VEHICLE JOURNEY. - - - - - Total number of BLOCK parts making up the train of which this is part. - - - - - Reference to a train BLOCK part. - - - - - Description of position of train BLOCK part within Train to guide passengers where to find it. E.g. 'Front four coaches'. - - - - - - - Operational information about the monitored VEHICLE JOURNEY. - - - - - If a VEHICLE JOURNEY is a coupled journey, i.e. comprises several coupled BLOCKparts, there will be a separate delivery for each BLOCKp art and this element will indicate the vehicles that the journey part uses. - - - - - - TRAIN NUMBERs for journey. (since SIRI 2.0) - - - - - - TRAIN NUMBER assigned to VEHICLE JOURNEY. +SIRI 2.0 - - - - - - - - JOURNEY PARTs making up JOURNEY +SIRIv2.0 e. - - - - - - Information about Parts of JOURNEY (since SIRI 2.0) - - - - - - - - - - - Operational information about the monitored VEHICLE JOURNEY. - - - - - If a VEHICLE JOURNEY is a coupled journey, i.e. comprises several coupled BLOCKparts, there will be a separate delivery for each BLOCKp art and this element will indicate the vehicles that the journey part uses. - - - - - - TRAIN NUMBERs for journey. (since SIRI 2.0) - - - - - - TRAIN NUMBER assigned to VEHICLE JOURNEY. +SIRI 2.0 - - - - - - - - JOURNEY PARTs making up JOURNEY +SIRIv2.0 e. - - - - - - Information about Parts of JOURNEY (since SIRI 2.0) - - - - - - - - - - - - - Type for Ordered list of CALLs at previous stop. - - - - - - - - Type for CALL at previous stop. - - - - - - - - - - - - - - - - - - Type for Current CALL at stop. - - - - - - - - - - - - - Elements for a monitored CALL. - - - - - - - - - - - - - - - - Elements describing the Real-time CALL properties. - - - - - - Exact location that VEHICLE will take up / or has taken at STOP POINT. - - - - - - - Elements describing theProperties specific to a rail CALLs. - - - - - Whether VEHICLE will reverse at stop. Default is 'false'. - - - - - For Rail, whether this is a platform traversal at speed, typically triggering an announcement to stand back from platform. If so Boarding Activity of arrival and deparure should be passthrough. - - - - - Status of signal clearance for TRAIN. This may affect the prioritiisition and emphasis given to arrival or departure on displays - e.g. cleared trains appear first, flashing in green. - - - - - - - Elements describing the the arrival of a VEHICLE at a stop. - - - - - - - - - Arrival times for CALL. - - - - - - Latest time at which a VEHICLE will arrive at stop. (since SIRI 2.0) - - - - - - - Elements describing the the departure of a VEHICLE from a stop. - - - - - - - - - - Departure times for CALL. - - - - - - Expected departure time of VEHICLE without waiting time due to operational actions. For people at stop this would normally be shown if different from Expected Departure time. (since SIRI 2.0). - - - - - Earliest time at which VEHICLE may leave the stop. Used to secure connections. Passengers must be at boarding point by this time to be sure of catching VEHICLE. (since SIRI 2.0) - - - - - Prediction quality, either as approcimate level, or more quantitatyive percentile range of predictions will fall within a given range of times. (since SIRI 2.0) - - - - - + + + + + + + + If no JOURNEY PART reference is available (or in addition to the reference), identify it indirectly by From-/ToStopPointRef and Start-/EndTime (i.e. the scheduled times at these stops). (since SIRI 2.1) + + + + + Reference to the SCHEDULED STOP POINT at which the related JOURNEY PART begins. + + + + + Reference to the SCHEDULED STOP POINT at which the related JOURNEY PART ends. + + + + + Time at which the related JOURNEY PART begins. + + + + + Time at which the related JOURNEY PART ends. + + + + + + + + Type for BLOCK part elements of VEHICLE JOURNEY. + + + + + Total number of BLOCK parts making up the train of which this is part. + + + + + Reference to a train BLOCK part. + + + + + Description of position of train BLOCK part within Train to guide passengers where to find it. E.g. 'Front four coaches'. + + + + + + + Operational information about the monitored VEHICLE JOURNEY. + + + + + If a VEHICLE JOURNEY is a coupled journey, i.e. comprises several coupled BLOCKparts, there will be a separate delivery for each BLOCKp art and this element will indicate the vehicles that the journey part uses. + + + + + + TRAIN NUMBERs for journey. (since SIRI 2.0) + + + + + + TRAIN NUMBER assigned to VEHICLE JOURNEY. +SIRI 2.0 + + + + + + + + JOURNEY PARTs making up JOURNEY +SIRIv2.0 e. + + + + + + Information about Parts of JOURNEY (since SIRI 2.0) + + + + + + + + + + + Operational information about the monitored VEHICLE JOURNEY. + + + + + If a VEHICLE JOURNEY is a coupled journey, i.e. comprises several coupled BLOCKparts, there will be a separate delivery for each BLOCKp art and this element will indicate the vehicles that the journey part uses. + + + + + + TRAIN NUMBERs for journey. (since SIRI 2.0) + + + + + + TRAIN NUMBER assigned to VEHICLE JOURNEY. +SIRI 2.0 + + + + + + + + JOURNEY PARTs making up JOURNEY +SIRIv2.0 e. + + + + + + Information about Parts of JOURNEY (since SIRI 2.0) + + + + + + + + + + + + + Type for Ordered list of CALLs at previous stop. + + + + + + + + Type for CALL at previous stop. + + + + + + + + + + + + + + + + + + Type for Current CALL at stop. + + + + + + + + + + + + + Elements for a monitored CALL. + + + + + + + + + + + + + + + + Elements describing the Real-time CALL properties. + + + + + + Exact location that VEHICLE will take up / or has taken at STOP POINT. + + + + + + + Elements describing theProperties specific to a rail CALLs. + + + + + Whether VEHICLE will reverse at stop. Default is 'false'. + + + + + For Rail, whether this is a platform traversal at speed, typically triggering an announcement to stand back from platform. If so Boarding Activity of arrival and deparure should be passthrough. + + + + + Status of signal clearance for TRAIN. This may affect the prioritiisition and emphasis given to arrival or departure on displays - e.g. cleared trains appear first, flashing in green. + + + + + + + Elements describing the the arrival of a VEHICLE at a stop. + + + + + + + + + Arrival times for CALL. + + + + + + Latest time at which a VEHICLE will arrive at stop. (since SIRI 2.0) + + + + + + + Elements describing the the departure of a VEHICLE from a stop. + + + + + + + + + + Departure times for CALL. + + + + + + Expected departure time of VEHICLE without waiting time due to operational actions. For people at stop this would normally be shown if different from Expected Departure time. (since SIRI 2.0). + + + + + Earliest time at which VEHICLE may leave the stop. Used to secure connections. Passengers must be at boarding point by this time to be sure of catching VEHICLE. (since SIRI 2.0) + + + + + Prediction quality, either as approcimate level, or more quantitatyive percentile range of predictions will fall within a given range of times. (since SIRI 2.0) + + + + +
diff --git a/xsd/siri_model/siri_operator_support.xsd b/xsd/siri_model/siri_operator_support.xsd index 8779065a..ad10ba82 100644 --- a/xsd/siri_model/siri_operator_support.xsd +++ b/xsd/siri_model/siri_operator_support.xsd @@ -1,43 +1,44 @@ - - - - main schema - e-service developers - Europe - Drafted for version 1.0 CEN TC278 WG3 SG6 Editor Nicholas Knowles, Kizoom. mailto:schemer@siri.org.uk - - 2006-08-12 - - - 2006-09-22 - - 2009-10-27 + + + + main schema + e-service developers + Europe + Drafted for version 1.0 CEN TC278 WG3 SG6 Editor Nicholas Knowles, Kizoom. mailto:schemer@siri.org.uk + + 2006-08-12 + + + 2006-09-22 + + 2009-10-27 Add organisation cidoe - -

SIRI Real-time server interface. This subschema defines transport OPERATOR base types.

-
- - text/xml - http://www.w3.org/2001/XMLSchema - XML schema, W3C Recommendation 2001 - - {http://www.siri.org.uk/schema/2.0/xsd/siri_model/}siri_operator_support.xsd - [ISO 639-2/B] ENG - CEN - Add POSTAL ADDRESS - - CEN, VDV, RTIG 2004-2021 + +

SIRI Real-time server interface. This subschema defines transport OPERATOR base types.

+
+ + text/xml + http://www.w3.org/2001/XMLSchema + XML schema, W3C Recommendation 2001 + + {http://www.siri.org.uk/schema/2.0/xsd/siri_model/}siri_operator_support.xsd + [ISO 639-2/B] ENG + CEN - Add POSTAL ADDRESS + + + CEN, VDV, RTIG 2004-2021 - -
    -
  • Derived from the SIRI standards.
  • -
- - Version 2.1 - - Arts, recreation and travel, Tourism, Travel (tourism), Transport, + +
    +
  • Derived from the SIRI standards.
  • +
+ + Version 2.1 + + Arts, recreation and travel, Tourism, Travel (tourism), Transport, Air transport, Airports, Ports and maritime transport, Ferries (marine), Public transport, Bus services, Coach services, Bus stops and stations, @@ -45,43 +46,43 @@ Rail transport, Railway stations and track, Train services, Underground trains, Business and industry, Transport, Air transport, Ports and maritime transport, Public transport, Rail transport, Roads and road transport - CEN TC278 WG3 SG7 - - SIRI Server Interface for Real-tiem Info - OPERATOR Types. - Standard -
-
- OPERATOR types for SIRi. -
- - - - Reference to an OPERATOR. - - - - - - - - Type for identifier of an OPERATOR Code. - - - - - - - Reference to an Organisation. - - - - - - - - Type for identifier of an OrganisationCode. - - - - + CEN TC278 WG3 SG7 + + SIRI Server Interface for Real-tiem Info - OPERATOR Types. + Standard +
+
+ OPERATOR types for SIRi. +
+ + + + Reference to an OPERATOR. + + + + + + + + Type for identifier of an OPERATOR Code. + + + + + + + Reference to an Organisation. + + + + + + + + Type for identifier of an OrganisationCode. + + + +
diff --git a/xsd/siri_model/siri_reference.xsd b/xsd/siri_model/siri_reference.xsd index d74be412..b7923892 100644 --- a/xsd/siri_model/siri_reference.xsd +++ b/xsd/siri_model/siri_reference.xsd @@ -1,91 +1,92 @@ - - - - main schema - e-service developers - CEN TC278 WG3 SG7 Team - Europe - Drafted for version 1.0 CEN TC278 WG3 SG7 Editor Nicholas Knowles, Kizoom. mailto:schemer@siri.org.uk - - 2004-09-29 - - - 2004-10-01 - - - 2005-02-14 - - - 2005-02-20 - - - 2005-03-20 - - - 2005-05-11 - - - 2007-03-29 - - - 2012-03-22 - - - - 2012-06-22 - - - - 2013-02-11 - - - - 2018-11-08 - + + + 2018-11-08 + - - - 2020-01-29 - - - -

SIRI is a European CEN standard for the exchange of real-time information.

-

This package defines common basic domain model identifier elements that are used in one or more SIRI fucntional service.

-
- - text/xml - http://www.w3.org/2001/XMLSchema - XML schema, W3C Recommendation 2001 - - {http://www.siri.org.uk/schema/2.0/xsd/siri/utility/}siri_reference.xsd - [ISO 639-2/B] ENG - Kizoom, 109-123 Clifton Street, London EC4A 4LD - - http://www.siri.org.uk/schema/2.0/xsd/siri_utility/siri_types.xsd - - - CEN, VDV, RTIG 2004-2021 - - -
    -
  • Derived from the VDV, RTIG CML and Trident standards.
  • -
- - Version 2.1 - - Arts, recreation and travel, Tourism, Travel (tourism), Transport, + + +

SIRI is a European CEN standard for the exchange of real-time information.

+

This package defines common basic domain model identifier elements that are used in one or more SIRI fucntional service.

+
+ + text/xml + http://www.w3.org/2001/XMLSchema + XML schema, W3C Recommendation 2001 + + {http://www.siri.org.uk/schema/2.0/xsd/siri/utility/}siri_reference.xsd + [ISO 639-2/B] ENG + Kizoom, 109-123 Clifton Street, London EC4A 4LD + + http://www.siri.org.uk/schema/2.0/xsd/siri_utility/siri_types.xsd + + + + CEN, VDV, RTIG 2004-2021 + + +
    +
  • Derived from the VDV, RTIG CML and Trident standards.
  • +
+ + Version 2.1 + + Arts, recreation and travel, Tourism, Travel (tourism), Transport, Air transport, Airports, Ports and maritime transport, Ferries (marine), Public transport, Bus services, Coach services, Bus stops and stations, @@ -93,752 +94,752 @@ Rail transport, Railway stations and track, Train services, Underground trains, Business and industry, Transport, Air transport, Ports and maritime transport, Public transport, Rail transport, Roads and road transport - CEN TC278 WG3 SG7 - - SIRI XML schema. Service Interface for Real-time Information relating to Public Transport Operations. Common DomainModel elements. - Standard -
-
-
- - - - - - - - - - Version Identifier. - - - - - Type for identifier of a Version. - - - - - - Type for reference Timetable Version. - - - - - - - - - Type for identifier of a SCHEDULED STOP POINT. - - - - - - Reference to a SCHEDULED STOP POINT. - - - - - - - - Sequence of visit to SCHEDULED STOP POINT.within VEHICLE JOURNEY. Increases monotonically, but not necessarily sequentially. - - - - - For implementations for which the overall Order is not used for VisitNumber, (i.e. if VisitNumberIsOrder is false) then can be used to associate the stop Order as well if useful. - - - - - Elements for a SCHEDULED STOP POINT. - - - - - Reference to a SCHEDULED STOP POINT. - Reference to a STOP POINT. - - - - - Name of SCHEDULED STOP POINT. (Unbounded since SIRI 2.0) - - - - - - - Reference to a SCHEDULED STOP POINT. - Reference to a STOP POINT. - - - - - Name of SCHEDULED STOP POINT. - - - - - Elements identifying an ordered visit to a SCHEDULED STOP POINT within a SERVICE PATTERN. - - - - - - - - Name of SCHEDULED STOP POINT. (Unbounded since SIRI 2.0) - - - - - - - Elements identifying Ordered visit to a stop within calling sequence of a SERVICE PATTERN. - - - - - - - - Name of SCHEDULED STOP POINT. (Unbounded since SIRI 2.0) - - - - - - - Type for Stop Visit. - - - - - - Identifier of a Stop for Direct Cleardown. Suitable for radio transmission over a constrained bandwidth channel. This may be a separate code from the full stop identifier. - - - - - - Reference Cleardown identifier of a stop. - - - - - - - - - Type for identifier of a STOP AREA. - - - - - - Reference to a STOP AREA. - - - - - - - - - Type for identifier of a QUAY (Platform, Bay, etc). - - - - - - Type for reference to a QUAY. - - - - - - - - - Type for identifier of a BOARDING POSITION (location on a QUAY where passengers can actually board/alight). - - - - - - Type for reference to a BOARDING POSITION. - - - - - - - - - Type for identifier of a FLEXIBLE AREA (area that encompasses the stop location of a flexible service). - - - - - - Type for reference to a FLEXIBLE AREA. - - - - - - - - - Identifier of a monitoring point. May correspond to a SCHEDULED STOP POINT or represent a group of Stops other Timing Points (i.e. LOGICAL DISPLAY) - - - - - - Type for reference to a monitoring point (LOGICAL DISPLAY). - - - - - - - - - Whether the stop is a TIMING POINT. Times for stops that are not timing points are sometimes interpolated crudely from the timing points, and may represent a lower level of accuracy. Default is 'true'. - - - - - Whether VEHICLE is currently at stop. Default is false (xml default added from SIRI 2.0) - - - - - - Type for identifier of a CONNECTION link - - - - - - Reference to a CONNECTION link - - - - - Type for reference to a CONNECTION link - - - - - - - - - MODEs of transport applicable to timetabled public transport. - - - - - - - - - - - - - - - MODEs of transport applicable to private and non-timetabled transport. - - - - - - - - - - - - - - Union of VEHICLE and continuous MODEs. - - - - - - - - - - - - - - Type for Transport MODEs. - - - - - A method of transportation such as bus, rail, etc. - - - - - - if true, listed modes to be excluded from list. - - - - - - - Type for identifier of a JOURNEY PATTERN. - - - - - - Type for refrence to a JOURNEY PATTERN. - - - - - - - - Reference to a JOURNEY PATTERN. - - - - - Elements describing the ROUTE and JOURNEY PATTERN Identfiers associated with a journey. - - - - - - - Elements describing the LINE, ROUTE and DIRECTION of a VEHICLE JOURNEYwhich are derived from the JOURNEY PATTERN associated with the journey. + CEN TC278 WG3 SG7 + + SIRI XML schema. Service Interface for Real-time Information relating to Public Transport Operations. Common DomainModel elements. + Standard + + + + + + + + + + + + + Version Identifier. + + + + + Type for identifier of a Version. + + + + + + Type for reference Timetable Version. + + + + + + + + + Type for identifier of a SCHEDULED STOP POINT. + + + + + + Reference to a SCHEDULED STOP POINT. + + + + + + + + Sequence of visit to SCHEDULED STOP POINT.within VEHICLE JOURNEY. Increases monotonically, but not necessarily sequentially. + + + + + For implementations for which the overall Order is not used for VisitNumber, (i.e. if VisitNumberIsOrder is false) then can be used to associate the stop Order as well if useful. + + + + + Elements for a SCHEDULED STOP POINT. + + + + + Reference to a SCHEDULED STOP POINT. + Reference to a STOP POINT. + + + + + Name of SCHEDULED STOP POINT. (Unbounded since SIRI 2.0) + + + + + + + Reference to a SCHEDULED STOP POINT. + Reference to a STOP POINT. + + + + + Name of SCHEDULED STOP POINT. + + + + + Elements identifying an ordered visit to a SCHEDULED STOP POINT within a SERVICE PATTERN. + + + + + + + + Name of SCHEDULED STOP POINT. (Unbounded since SIRI 2.0) + + + + + + + Elements identifying Ordered visit to a stop within calling sequence of a SERVICE PATTERN. + + + + + + + + Name of SCHEDULED STOP POINT. (Unbounded since SIRI 2.0) + + + + + + + Type for Stop Visit. + + + + + + Identifier of a Stop for Direct Cleardown. Suitable for radio transmission over a constrained bandwidth channel. This may be a separate code from the full stop identifier. + + + + + + Reference Cleardown identifier of a stop. + + + + + + + + + Type for identifier of a STOP AREA. + + + + + + Reference to a STOP AREA. + + + + + + + + + Type for identifier of a QUAY (Platform, Bay, etc). + + + + + + Type for reference to a QUAY. + + + + + + + + + Type for identifier of a BOARDING POSITION (location on a QUAY where passengers can actually board/alight). + + + + + + Type for reference to a BOARDING POSITION. + + + + + + + + + Type for identifier of a FLEXIBLE AREA (area that encompasses the stop location of a flexible service). + + + + + + Type for reference to a FLEXIBLE AREA. + + + + + + + + + Identifier of a monitoring point. May correspond to a SCHEDULED STOP POINT or represent a group of Stops other Timing Points (i.e. LOGICAL DISPLAY) + + + + + + Type for reference to a monitoring point (LOGICAL DISPLAY). + + + + + + + + + Whether the stop is a TIMING POINT. Times for stops that are not timing points are sometimes interpolated crudely from the timing points, and may represent a lower level of accuracy. Default is 'true'. + + + + + Whether VEHICLE is currently at stop. Default is false (xml default added from SIRI 2.0) + + + + + + Type for identifier of a CONNECTION link + + + + + + Reference to a CONNECTION link + + + + + Type for reference to a CONNECTION link + + + + + + + + + MODEs of transport applicable to timetabled public transport. + + + + + + + + + + + + + + + MODEs of transport applicable to private and non-timetabled transport. + + + + + + + + + + + + + + Union of VEHICLE and continuous MODEs. + + + + + + + + + + + + + + Type for Transport MODEs. + + + + + A method of transportation such as bus, rail, etc. + + + + + + if true, listed modes to be excluded from list. + + + + + + + Type for identifier of a JOURNEY PATTERN. + + + + + + Type for refrence to a JOURNEY PATTERN. + + + + + + + + Reference to a JOURNEY PATTERN. + + + + + Elements describing the ROUTE and JOURNEY PATTERN Identfiers associated with a journey. + + + + + + + Elements describing the LINE, ROUTE and DIRECTION of a VEHICLE JOURNEYwhich are derived from the JOURNEY PATTERN associated with the journey. Values for these elements can be specified on an annual schedule and will be inherited, unless overriden, onto the production timetable and then onto the individul dated VEHICLE JOURNEYs of the timetable. Each monitored journey takes its values from the dated VEHICLE JOURNEY that it follows. The absence of a value on an entity at a given level indicates that the value should be inherited (i) from any recent preceding update message for the same entity, or if there is no previous override, (ii) from its immediate parent entity. - - - - - Identifier of JOURNEY PATTERN that journey follows. - - - - - Name of Joruney Pattern - - - - - A means of transportation such as bus, rail, etc. - - - - - Identifier of ROUTE that journey follows. - - - - - Name or Number by which the LINE is known to the public. (Unbounded since SIRI 2.0) - - - - - Reference to a GROUP OF LINEs to which journey belongs. SIRI 2.0 - - - - - Description of the DIRECTION. May correspond to a DESTINATION DISPLAY. (Unbounded since SIRI 2.0) - - - - - Alternative identifier of LINE that an external system may associate with journey. - - - - - - Reference to a BRANDING. (since SIRI 2.1) - - - - - An arbitrary marketing classification. (since SIRI 2.1) - - - - - - - - Elements for identifying a LINE and DIRECTION. - - - - - Reference to a LINE. - - - - - Reference to a LINE DIRECTION DIRECTION, typically outward or return. - - - - - - - Type for LINEand DIRECTION. - - - - - - Elements for a LINE and DIRECTION. - - - - - Line Reference. - - - - - Direction Reference. - - - - - - - Type for identifier of a LINE - - - - - - Reference to a LINE. - - - - - Type for reference to a LINE. - - - - - - - - Elements describing the LINEand DESTINATION of a journey. Values for these elements can be specified on an annual schedule and will be inherited, unless overriden, onto the production timetable and then onto the individul dated VEHICLE JOURNEYs of the timetable. Each real-time journey takes its values from the dated VEHICLE JOURNEY that it follows. The absence of a value on an entity at a given level indicates that the value should be inherited (i) from any recent preceding update message for the same entity, or if there is no previous override, (ii) from its immediate parent entity. - - - - - - Description of the destination stop (vehicle signage), if different from the that in timetable - the DESTINATION DISPLAY. Can be overwritten section by section by the entry in an individual CALL. - - - - - - - Name or Number by which the LINEis known to the public. - - - - - Identifier of a GROUP OF LINEs - - - - - - Reference to a GROUP OF LINEs - - - - - - - - - Type for identifier of a Route. - - - - - - Description of route by which it can be recogniozed. - - - - - Reference to a Route (Transmodel) - - - - - - - - Identifier of a DIRECTION. - - - - - - Reference to a DIRECTION. - - - - - - - - Identifier of a ROUTE LINk. - - - - - - Reference to a ROUTE LINk. - - - - - - - - - Type for identifier of a DESTINATION. - - - - - - Reference to a PLACE visited by a VEHICLE JOURNEY. - - - - - - - - Names of VIA points, used to help identify the LINE, for example, Luton to Luton via Sutton. Currently 3 in VDV. Should only be included if the detail level was requested. - - - - - Reference to a TOPOGRAPHIC PLACE. - - - - - Names of place used to help identify the LINE. - - - - - Short name of TOPOGRAPHIC PLACE. Should only be included if the detail level was requested. - - - - - - - - Identifier of a VEHICLE. - - - - - - Reference to a VEHICLE. - - - - - - - - Reference to a VEHICLE. - - - - - Passenger load status of a VEHICLE - GTFS-R / TPEG Pts045 - - - - - TPEG Pts45_0, unknown - - - - - GTFS-R "EMPTY" + + + + + Identifier of JOURNEY PATTERN that journey follows. + + + + + Name of Joruney Pattern + + + + + A means of transportation such as bus, rail, etc. + + + + + Identifier of ROUTE that journey follows. + + + + + Name or Number by which the LINE is known to the public. (Unbounded since SIRI 2.0) + + + + + Reference to a GROUP OF LINEs to which journey belongs. SIRI 2.0 + + + + + Description of the DIRECTION. May correspond to a DESTINATION DISPLAY. (Unbounded since SIRI 2.0) + + + + + Alternative identifier of LINE that an external system may associate with journey. + + + + + + Reference to a BRANDING. (since SIRI 2.1) + + + + + An arbitrary marketing classification. (since SIRI 2.1) + + + + + + + + Elements for identifying a LINE and DIRECTION. + + + + + Reference to a LINE. + + + + + Reference to a LINE DIRECTION DIRECTION, typically outward or return. + + + + + + + Type for LINEand DIRECTION. + + + + + + Elements for a LINE and DIRECTION. + + + + + Line Reference. + + + + + Direction Reference. + + + + + + + Type for identifier of a LINE + + + + + + Reference to a LINE. + + + + + Type for reference to a LINE. + + + + + + + + Elements describing the LINEand DESTINATION of a journey. Values for these elements can be specified on an annual schedule and will be inherited, unless overriden, onto the production timetable and then onto the individul dated VEHICLE JOURNEYs of the timetable. Each real-time journey takes its values from the dated VEHICLE JOURNEY that it follows. The absence of a value on an entity at a given level indicates that the value should be inherited (i) from any recent preceding update message for the same entity, or if there is no previous override, (ii) from its immediate parent entity. + + + + + + Description of the destination stop (vehicle signage), if different from the that in timetable - the DESTINATION DISPLAY. Can be overwritten section by section by the entry in an individual CALL. + + + + + + + Name or Number by which the LINEis known to the public. + + + + + Identifier of a GROUP OF LINEs + + + + + + Reference to a GROUP OF LINEs + + + + + + + + + Type for identifier of a Route. + + + + + + Description of route by which it can be recogniozed. + + + + + Reference to a Route (Transmodel) + + + + + + + + Identifier of a DIRECTION. + + + + + + Reference to a DIRECTION. + + + + + + + + Identifier of a ROUTE LINk. + + + + + + Reference to a ROUTE LINk. + + + + + + + + + Type for identifier of a DESTINATION. + + + + + + Reference to a PLACE visited by a VEHICLE JOURNEY. + + + + + + + + Names of VIA points, used to help identify the LINE, for example, Luton to Luton via Sutton. Currently 3 in VDV. Should only be included if the detail level was requested. + + + + + Reference to a TOPOGRAPHIC PLACE. + + + + + Names of place used to help identify the LINE. + + + + + Short name of TOPOGRAPHIC PLACE. Should only be included if the detail level was requested. + + + + + + + + Identifier of a VEHICLE. + + + + + + Reference to a VEHICLE. + + + + + + + + Reference to a VEHICLE. + + + + + Passenger load status of a VEHICLE - GTFS-R / TPEG Pts045 + + + + + TPEG Pts45_0, unknown + + + + + GTFS-R "EMPTY" The vehicle is considered empty by most measures, and has few or no passengers onboard, but is still accepting passengers. - - - - - GTFS-R "MANY_SEATS_AVAILABLE" / TPEG Pts45_1, many seats available + + + + + GTFS-R "MANY_SEATS_AVAILABLE" / TPEG Pts45_1, many seats available The vehicle has a large percentage of seats available. What percentage of free seats out of the total seats available is to be considered large enough to fall into this category is determined at the discretion of the producer. - - - - - GTFS-R "FEW_SEATS_AVAILABLE" / TPEG Pts45_2, few seats available + + + + + GTFS-R "FEW_SEATS_AVAILABLE" / TPEG Pts45_2, few seats available The vehicle has a small percentage of seats available. What percentage of free seats out of the total seats available is to be considered small enough to fall into this category is determined at the discretion of the producer. - - - - - GTFS-R "STANDING_ROOM_ONLY" / TPEG Pts45_4, standing room only (and TPEG Pts45_3, no seats available) + + + + + GTFS-R "STANDING_ROOM_ONLY" / TPEG Pts45_4, standing room only (and TPEG Pts45_3, no seats available) The vehicle can currently accommodate only standing passengers. - - - - - GTFS-R "CRUSHED_STANDING_ROOM_ONLY" + + + + + GTFS-R "CRUSHED_STANDING_ROOM_ONLY" The vehicle can currently accommodate only standing passengers and has limited space for them. - - - - - GTFS-R "FULL" / TPEG Pts45_5, full - - - - - GTFS-R "NOT_ACCEPTING_PASSENGERS" + + + + + GTFS-R "FULL" / TPEG Pts45_5, full + + + + + GTFS-R "NOT_ACCEPTING_PASSENGERS" The vehicle cannot accept passengers. - - - - - TPEG Pts45_255, undefined occupancy - - - - - (SIRI 2.1) deprecated - use a more specific value - - - - - (SIRI 2.1) deprecated - use a more specific value - - - - - - - Identifier of a DRIVER - - - - - - Reference to a DRIVER. - - - - - - - - - DataType for a NOTICe. - - - - - - - - Text annotation that applies to an element. - - - - - - - - Type for identifier of an Info Channel. - - - - - - Type for reference to an Info Channel. - - - - - - - - - Type for identifier of a BRANDING. (since SIRI 2.1) - - - - - - Type for reference to a BRANDING. (since SIRI 2.1) - - - - - - - - An arbitrary marketing classification. (since SIRI 2.1) - - - - - Identity of BRANDING. - - - - - - - - - Identifier of a SITE - - - - - - Reference to a SITE - - - - - - - - Reference to a SITE - - + + + + + TPEG Pts45_255, undefined occupancy + + + + + (SIRI 2.1) deprecated - use a more specific value + + + + + (SIRI 2.1) deprecated - use a more specific value + + + + + + + Identifier of a DRIVER + + + + + + Reference to a DRIVER. + + + + + + + + + DataType for a NOTICe. + + + + + + + + Text annotation that applies to an element. + + + + + + + + Type for identifier of an Info Channel. + + + + + + Type for reference to an Info Channel. + + + + + + + + + Type for identifier of a BRANDING. (since SIRI 2.1) + + + + + + Type for reference to a BRANDING. (since SIRI 2.1) + + + + + + + + An arbitrary marketing classification. (since SIRI 2.1) + + + + + Identity of BRANDING. + + + + + + + + + Identifier of a SITE + + + + + + Reference to a SITE + + + + + + + + Reference to a SITE + +
diff --git a/xsd/siri_model/siri_situation.xsd b/xsd/siri_model/siri_situation.xsd index 664a8b96..91bdb043 100644 --- a/xsd/siri_model/siri_situation.xsd +++ b/xsd/siri_model/siri_situation.xsd @@ -1,6 +1,6 @@ - - - - - - - - - - - - - - - - - - - main schema - e-service developers - Waldemar Isajkin (INIT GmbH) - Europe - Drafted for version 1.0 Kizoom SITUATION Schema Nicholas Knowles, Kizoom. mailto:schemer@kizoom.org.uk - - 2004-09-29 - - - 2004-10-01 - - - 2007-05-14 - - - 2008-07-05 - + + + + + + + + + + + + + + + + + main schema + e-service developers + Waldemar Isajkin (INIT GmbH) + Europe + Drafted for version 1.0 Kizoom SITUATION Schema Nicholas Knowles, Kizoom. mailto:schemer@kizoom.org.uk + + 2004-09-29 + + + 2004-10-01 + + + 2007-05-14 + + + 2008-07-05 + - - - 2011-04-18 - - - - 2012-03-23 - + + + 2012-03-23 + - - - 2013-02-11 - - - - 2013-10-01 - - - - 2014-06-20 - - - - 2019-09-01 - + + + 2013-10-01 + + + + 2014-06-20 + + + + 2019-09-01 + - - -

SIRI-SX is an XML schema for the exchange of structured SITUATIONs

-
- - text/xml - http://www.w3.org/2001/XMLSchema - XML schema, W3C Recommendation 2001 - - {http://www.siri.org.uk/schema/2.0/xsd/}siri_model/siri_situation.xsd - [ISO 639-2/B] ENG - CEN - - http://www.siri.org.uk/schema/2.0/xsd/siri_model/siri_stop.xsd - http://www.siri.org.uk/schema/2.0/xsd/siri_model/siri_modes.xsd - http://www.siri.org.uk/schema/2.0/xsd/siri_model/siri_monitoredVehicleJourney.xsd - - - Kizoom 2000-2005, CEN 2009-2021 - - -
    -
  • Schema Derived from the Kizoom XTIS schema
  • -
- - Version 2.1 - - Arts, recreation and travel, Tourism, Travel (tourism), Transport, +
+ +

SIRI-SX is an XML schema for the exchange of structured SITUATIONs

+
+ + text/xml + http://www.w3.org/2001/XMLSchema + XML schema, W3C Recommendation 2001 + + {http://www.siri.org.uk/schema/2.0/xsd/}siri_model/siri_situation.xsd + [ISO 639-2/B] ENG + CEN + + http://www.siri.org.uk/schema/2.0/xsd/siri_model/siri_stop.xsd + http://www.siri.org.uk/schema/2.0/xsd/siri_model/siri_modes.xsd + http://www.siri.org.uk/schema/2.0/xsd/siri_model/siri_monitoredVehicleJourney.xsd + + + + Kizoom 2000-2005, CEN 2009-2021 + + +
    +
  • Schema Derived from the Kizoom XTIS schema
  • +
+ + Version 2.1 + + Arts, recreation and travel, Tourism, Travel (tourism), Transport, Air transport, Airports, Ports and maritime transport, Ferries (marine), Public transport, Bus services, Coach services, Bus stops and stations, @@ -127,1419 +128,1419 @@ Rail transport, Railway stations and track, Train services, Underground trains, Business and industry, Transport, Air transport, Ports and maritime transport, Public transport, Rail transport, Roads and road transport - CEN TC278 WG3 SG7 - - SIRI-SX Xml Schema for PT SITUATIONs. Common element subschema - Standard -
-
- SIRI-SX Situation Model. -
- - - - Type for abstract EntryAbstract type. - - - - - Time of creation of SITUATION. - - - - - - - - Type for loggable Entry. - - - - - - - - Time at which SITUATION element was versioned. Once versioned, no further changes can be made. - - - - - - - - - situation Informatiion. - - - - - Associations with other SITUATIONs. - - - - - Information about source of information, that is, where the agent using the capture client obtained an item of information, or in the case of an automated feed, an identifier of the specific feed. Can be used to obtain updates, verify details or otherwise assess relevance. - - - - - - - Type for references. - - - - - A reference to another SITUATION with an indication of the nature of the association, e.g. a cause, a result, an update. Note that a Entry that is an update, i.e. has the same IdentifierNumber but a later version number as a previous Entry alway has a supercedes relationship and this does not need to be expliciitly coded. - - - - - - - Type for a reference. - - - - - Time of creation of 'related to' assocation. - - - - - Elements identifying a SITUATION element or an update to a SITUATION. Participant reference is optional and may be supplied from context. - - - - - A single string that identifiers the referenced SITUATION. - - - - - Relationship of refercence to the referncing SITUATION e. - - - - - - - - Values for Type of Source. - - - - - - - - - - - - - - - Type for individual IPT ncident. - - - - - Type for individual PT SITUATION. - - - - - - - - - - - - - Body of SITUATION. - - - - - - - - - - - - - - Body of SITUATION. - - - - - Structured model identifiying parts of transport network affected by SITUATION. OPERATOR and NETWORK values will be defaulted to values in general Context unless explicitly overridden. - - - - - Structured model describing effect of the SITUATION on PT system. - - - - - Structured model describing distribution actions to handle SITUATION. Any actions stated completely replace those from Context. If no actions are stated, any actions from general Context are used. - - - - - - - - Type for individual IPT ncident. - - - - - Type for individual PT SITUATION. - - - - - - - - - - - - - Body of SITUATION. - - - - - - - - - - - - - - Datex 2 SITUATION. - - - - - Structured model identifiying parts of transport network affected by SITUATION. OPERATOR and Network values will be defaulted to values in general Context unless explicitly overridden. - - - - - Structured model describing effect of the SITUATION on PT system. - - - - - Structured model describing distribution actions to handle SITUATION. Any actions stated completely replace those from Context. If no actions are stated, any actions from general Context are used. - - - - - Datex2 SITUATION Record. - - - - - - - Datex2 SITUATION management elements. - - - - - A unique alphanumeric reference (either an external reference or GUID) of the SITUATIONRecord object (the first version of the record) that was created by the original supplier. - - - - - The date/time that the SITUATIONRecord object (the first version of the record) was created by the original supplier. - - - - - The date/time that the information represented by the current version of the SITUATIONRecord was observed by the original (potentially external) source of the information. - - - - - Each record within a SITUATION may iterate through a series of versions during its life time. The SITUATION record version uniquely identifies the version of a particular record within a SITUATION. It is generated and used by systems external to DATEX 2. - - - - - The date/time that this current version of the SITUATIONRecord was written into the database of the supplier which is involved in the data exchange. - - - - - The date/time that the current version of the SITUATION Record was written into the database of the original supplier in the supply chain. - - - - - - - Datex2 SITUATION common elements. - - - - - An assessment of the degree of likelihood that the reported event will occur. - - - - - - - - - Datex2 Trrffic element road. - - - - - Impact of Road SITUATION as specified by Datex2. - - - - - Impact of Road SITUATION as specified by Datex2 model. - - - - - Datex 2 comments for public use. - - - - - Ccomments not for public use. - - - - - Datex 2 model of where event ois taking place on the road. - - - - - - - Datex2 Tarffic element. - - - - - - - - - - Type for Raod scope for scope of SITUATION or effect. - - - - - Affected Road as described by a Date2x location. - - - - - Optional spatial projection of road. Can be used to distribute the path of the road to systems that do not already hold it. To pass just a Reference, use Datex2 location. - - - - - - - - An event which is not planned by the traffic OPERATOR, which is affecting, or has the potential to affect traffic flow. This SIRI-SX element embeds the Datex2 TrafficElement, making all elements optional because they may alternatvielky be specified by common SIRI-SRX SITUATION elements. - - - - - - - - - - - - Values for Type of Source. - - - - - - - - - - - - - - - - - - - Type for a source, i.e. provider of information. - - - - - Country of origin of source element. - - - - - Nature of Source. - - - - - Further contact details about source. May be used for udpoates or verifcation. - - - - - Nature of method used to get Source. - - - - - Reference to an Agent, i.e. Capture client user who input a SITUATION. Available for use in intranet exchange of SITUATIONs. - - - - - Name of for source. - - - - - Job title of Source. - - - - - Time of communication of message, if different from creation time. - - - - - External system reference to SITUATION. - - - - - Electronic file / attachment containing information about SITUATION. - - - - - - - - Group of source details. - - - - - Email of Supplier of information. - - - - - Phone number of Supplier of information. - - - - - Fax number of Supplier of information. - - - - - Information was obtained from a web site URL of site and/or page. - - - - - Other information about source. - - - - - - - - Status elements. - - - - - Whether the SITUATION has been verified. - - - - - - - - ProgressStatus. One of a specified set of overall processing states assigned to SITUATION. For example, 'Draft' for not yet published; 'Published' for live SITUATIONs; 'Closed' indicates a completed SITUATION. - - - - - Assessement of likely correctness of data. Default is reliable - - - - - Whether SITUATION is real or a test. - - - - - Likellihood of a future situation happening. - - - - - Publishing status one of a specified set of substates to which a SITUATION can be assigned. - - - - - - - Values for Entry Status. - - - - - - - - - - - - - - Type for Publication status. - - - - - - - Elements affecting temporal scope of SITUATION. - - - - - Overall inclusive Period of applicability of SITUATION. - - - - - situation applies only on the repeated day types within the overall validity period(s). For example Sunday. - - - - - - - - - - Publication Window for SITUATION if different from validity period. - - - - - - - - Structured Classification Elements using TPEG Pts038 AlertCause. - - - - - - - Arbitrary rating of priority 1-High. - - - - - Confidentiality of SITUATION. - - - - - Intended audience of SITUATION. - - - - - Nature of scope, e.g. general, network. - - - - - - - - - Whether the SITUATION was planned (eg engineering works) or unplanned (eg service alteration). Default is 'false', i.e. unplanned. - - - - - Arbitrary application specific classifiers. - - - - - Additional reasons - - - - - - Reason - - - - - - - - - - - - - - - Structured Reason elements. The TpegReason and/or PublicEventReason enumerated values can be used to generate standardized messages describing the SITUATION. If no enumerated values are given, ReasonName is used instead. + CEN TC278 WG3 SG7 + + SIRI-SX Xml Schema for PT SITUATIONs. Common element subschema + Standard + + + SIRI-SX Situation Model. + + + + + Type for abstract EntryAbstract type. + + + + + Time of creation of SITUATION. + + + + + + + + Type for loggable Entry. + + + + + + + + Time at which SITUATION element was versioned. Once versioned, no further changes can be made. + + + + + + + + + situation Informatiion. + + + + + Associations with other SITUATIONs. + + + + + Information about source of information, that is, where the agent using the capture client obtained an item of information, or in the case of an automated feed, an identifier of the specific feed. Can be used to obtain updates, verify details or otherwise assess relevance. + + + + + + + Type for references. + + + + + A reference to another SITUATION with an indication of the nature of the association, e.g. a cause, a result, an update. Note that a Entry that is an update, i.e. has the same IdentifierNumber but a later version number as a previous Entry alway has a supercedes relationship and this does not need to be expliciitly coded. + + + + + + + Type for a reference. + + + + + Time of creation of 'related to' assocation. + + + + + Elements identifying a SITUATION element or an update to a SITUATION. Participant reference is optional and may be supplied from context. + + + + + A single string that identifiers the referenced SITUATION. + + + + + Relationship of refercence to the referncing SITUATION e. + + + + + + + + Values for Type of Source. + + + + + + + + + + + + + + + Type for individual IPT ncident. + + + + + Type for individual PT SITUATION. + + + + + + + + + + + + + Body of SITUATION. + + + + + + + + + + + + + + Body of SITUATION. + + + + + Structured model identifiying parts of transport network affected by SITUATION. OPERATOR and NETWORK values will be defaulted to values in general Context unless explicitly overridden. + + + + + Structured model describing effect of the SITUATION on PT system. + + + + + Structured model describing distribution actions to handle SITUATION. Any actions stated completely replace those from Context. If no actions are stated, any actions from general Context are used. + + + + + + + + Type for individual IPT ncident. + + + + + Type for individual PT SITUATION. + + + + + + + + + + + + + Body of SITUATION. + + + + + + + + + + + + + + Datex 2 SITUATION. + + + + + Structured model identifiying parts of transport network affected by SITUATION. OPERATOR and Network values will be defaulted to values in general Context unless explicitly overridden. + + + + + Structured model describing effect of the SITUATION on PT system. + + + + + Structured model describing distribution actions to handle SITUATION. Any actions stated completely replace those from Context. If no actions are stated, any actions from general Context are used. + + + + + Datex2 SITUATION Record. + + + + + + + Datex2 SITUATION management elements. + + + + + A unique alphanumeric reference (either an external reference or GUID) of the SITUATIONRecord object (the first version of the record) that was created by the original supplier. + + + + + The date/time that the SITUATIONRecord object (the first version of the record) was created by the original supplier. + + + + + The date/time that the information represented by the current version of the SITUATIONRecord was observed by the original (potentially external) source of the information. + + + + + Each record within a SITUATION may iterate through a series of versions during its life time. The SITUATION record version uniquely identifies the version of a particular record within a SITUATION. It is generated and used by systems external to DATEX 2. + + + + + The date/time that this current version of the SITUATIONRecord was written into the database of the supplier which is involved in the data exchange. + + + + + The date/time that the current version of the SITUATION Record was written into the database of the original supplier in the supply chain. + + + + + + + Datex2 SITUATION common elements. + + + + + An assessment of the degree of likelihood that the reported event will occur. + + + + + + + + + Datex2 Trrffic element road. + + + + + Impact of Road SITUATION as specified by Datex2. + + + + + Impact of Road SITUATION as specified by Datex2 model. + + + + + Datex 2 comments for public use. + + + + + Ccomments not for public use. + + + + + Datex 2 model of where event ois taking place on the road. + + + + + + + Datex2 Tarffic element. + + + + + + + + + + Type for Raod scope for scope of SITUATION or effect. + + + + + Affected Road as described by a Date2x location. + + + + + Optional spatial projection of road. Can be used to distribute the path of the road to systems that do not already hold it. To pass just a Reference, use Datex2 location. + + + + + + + + An event which is not planned by the traffic OPERATOR, which is affecting, or has the potential to affect traffic flow. This SIRI-SX element embeds the Datex2 TrafficElement, making all elements optional because they may alternatvielky be specified by common SIRI-SRX SITUATION elements. + + + + + + + + + + + + Values for Type of Source. + + + + + + + + + + + + + + + + + + + Type for a source, i.e. provider of information. + + + + + Country of origin of source element. + + + + + Nature of Source. + + + + + Further contact details about source. May be used for udpoates or verifcation. + + + + + Nature of method used to get Source. + + + + + Reference to an Agent, i.e. Capture client user who input a SITUATION. Available for use in intranet exchange of SITUATIONs. + + + + + Name of for source. + + + + + Job title of Source. + + + + + Time of communication of message, if different from creation time. + + + + + External system reference to SITUATION. + + + + + Electronic file / attachment containing information about SITUATION. + + + + + + + + Group of source details. + + + + + Email of Supplier of information. + + + + + Phone number of Supplier of information. + + + + + Fax number of Supplier of information. + + + + + Information was obtained from a web site URL of site and/or page. + + + + + Other information about source. + + + + + + + + Status elements. + + + + + Whether the SITUATION has been verified. + + + + + + + + ProgressStatus. One of a specified set of overall processing states assigned to SITUATION. For example, 'Draft' for not yet published; 'Published' for live SITUATIONs; 'Closed' indicates a completed SITUATION. + + + + + Assessement of likely correctness of data. Default is reliable + + + + + Whether SITUATION is real or a test. + + + + + Likellihood of a future situation happening. + + + + + Publishing status one of a specified set of substates to which a SITUATION can be assigned. + + + + + + + Values for Entry Status. + + + + + + + + + + + + + + Type for Publication status. + + + + + + + Elements affecting temporal scope of SITUATION. + + + + + Overall inclusive Period of applicability of SITUATION. + + + + + situation applies only on the repeated day types within the overall validity period(s). For example Sunday. + + + + + + + + + + Publication Window for SITUATION if different from validity period. + + + + + + + + Structured Classification Elements using TPEG Pts038 AlertCause. + + + + + + + Arbitrary rating of priority 1-High. + + + + + Confidentiality of SITUATION. + + + + + Intended audience of SITUATION. + + + + + Nature of scope, e.g. general, network. + + + + + + + + + Whether the SITUATION was planned (eg engineering works) or unplanned (eg service alteration). Default is 'false', i.e. unplanned. + + + + + Arbitrary application specific classifiers. + + + + + Additional reasons + + + + + + Reason + + + + + + + + + + + + + + + Structured Reason elements. The TpegReason and/or PublicEventReason enumerated values can be used to generate standardized messages describing the SITUATION. If no enumerated values are given, ReasonName is used instead. Note: this means that ReasonName is NOT a complete message, but only a (few) word(s) to be included in the message! - - - - - Structured classification of nature of SITUATION, from which a standardized message can be generated. - - - - - DEPRECATED since SIRI 2.1 - use only TpegReasonGroup and PublicEventReason. - - - - - Structured classification of Public Event, from which a standardized message can be generated. - - - - - Textual classification of nature of SITUATION, from which a standardized message can be generated. Not normally needed, except when TpegReason and PublicEventReason are absent. (Unbounded since SIRI 2.0) - - - - - - - Values for Sensitivity. - - - - - - - - - - - - Values for Audience. - - - - - - - - - - - - - - - Type for Quality of data indication. - - - - - - - - - - Values for ScopeType - TPEG Pts36, AlertForType with additional values - - - - - TPEG Pts36_0, unknown - - - - - TPEG Pts36_1, STOP PLACE - - - - - TPEG Pts36_2, line - - - - - TPEG Pts36_3, route - - - - - TPEG Pts36_4, individual PT service - - - - - TPEG Pts36_5, operator - - - - - TPEG Pts36_6, city - - - - - TPEG Pts36_7, area - - - - - TPEG Pts36_8, stop point - - - - - STOP PLACE component - - - - - place - - - - - network - - - - - vehicle journey - - - - - dated vehicle journey - - - - - connection link - - - - - interchange - - - - - TPEG Pts36_0, unknown - - - - - general - - - - - road - - - - - TPEG Pts36_255, undefined - - - - - - - - Type for Location model for scope of SITUATION or effect. - - - - - Affected overall Geographic scope. - - - - - Affected OPERATORs, If absent, taken from context. If present, any OPERATORs stated completely replace those from context. - - - - - - All OPERATORs. - - - - - Operators of services affected by SITUATION. - - - - - - - - Networks affected by SITUATION. - - - - - - Networks and Route(s) affected by SITUATION. - - - - - - - - - - - - - STOP POINTs affected by SITUATION. - - - - - - STOP POINT affected by SITUATION. - - - - - - - - Places other than STOP POINTs affected by SITUATION. - - - - - - STOP PLACE affected by SITUATION. - - - - - - - - Places other than STOP POINTs affected by SITUATION. - - - - - - Place affected by SITUATION. - - - - - - - - Specific journeys affected by SITUATION. - - - - - - Journeys affected by the SITUATION. - - - - - - - - Specific vehicles affected by SITUATION. ((since SIRI 2.0)) - - - - - - Vehicles affected by the SITUATION. ((since SIRI 2.0)) - - - - - - - - Roads affected by. - - - - - - - - Type for Location model for scope of SITUATION or effect. - - - - - Refereences to road network locations affected by the SITUATION. - - - - - Description of affected road. - - - - - - - - Type for image. - - - - - - Reference to an image. - - - - - Embedded image. - - - - - - Categorisation of image content. - - - - - - - Text description of SITUATION. Some or all of this may have been generated from the other structured content elements. Where text has been overriden this is indicated. - - - - - Default language. - - - - - Summary of SITUATION. If absent should be generated from structure elements / and or by condensing Description. (Unbounded since SIRI 2.0) - - - - - Description of SITUATION. Should not repeat any strap line included in Summary. (Unbounded since SIRI 2.0) - - - - - Additional descriptive details about the SITUATION (Unbounded since SIRI 2.0). - - - - - Further advice to passengers. (Unbounded since SIRI 2.0) - - - - - For internal information only, not passenger relevant - - - - - Any images associated with SITUATION. - - - - - - Image description. - - - - - - - - - - - - - Hyperlinks to other resources associated with SITUATION. - - - - - - Hyperlink description. - - - - - - - - - - Values for image content. - - - - - - - - - - Type for a text that may be overridden. - - - - - - Whether the text value has been overridden from the generated default. Default is 'true'. - - - - - - - - Values for image content. - - - - - - - - - - - - Type for a general hyperlink. - - - - - URI for link. - - - - - Label for Link. (Unbounded since SIRI 2.0) - - - - - Image to use when presenting hyperlink. - - - - - Categorisation of link content. - - - - - - - - Type for list of effects. - - - - - Nature of the effect to disrupt (or restore) service, and further details. - - - - - - - Type for disruption. - - - - - Period of effect of disruption, if different from that of SITUATION. - - - - - Condition(s) of effect of disruptions. - - - - - Severity of disruption if different from that of SITUATION. TPEG pti26 - - - - - Parts of transport network affected by disruption if different from that of SITUATION. - - - - - Effect on different passenger needs. - - - - - - Effect on a passenger need. - - - - - - - - Advice to passengers. - - - - - How Disruption should be handled in Info systems. - - - - - Change to normal boarding activity allowed at stop. - - - - - - Information on casualties. - - - - - Description of fare exceptions allowed because of disruption. - - - - - - - - Structured elements of a SITUATION condition. The Condition enumerated value(s) can be used to generate standardized messages describing the SITUATION. If no enumerated values are given, ConditionName is used instead. + + + + + Structured classification of nature of SITUATION, from which a standardized message can be generated. + + + + + DEPRECATED since SIRI 2.1 - use only TpegReasonGroup and PublicEventReason. + + + + + Structured classification of Public Event, from which a standardized message can be generated. + + + + + Textual classification of nature of SITUATION, from which a standardized message can be generated. Not normally needed, except when TpegReason and PublicEventReason are absent. (Unbounded since SIRI 2.0) + + + + + + + Values for Sensitivity. + + + + + + + + + + + + Values for Audience. + + + + + + + + + + + + + + + Type for Quality of data indication. + + + + + + + + + + Values for ScopeType - TPEG Pts36, AlertForType with additional values + + + + + TPEG Pts36_0, unknown + + + + + TPEG Pts36_1, STOP PLACE + + + + + TPEG Pts36_2, line + + + + + TPEG Pts36_3, route + + + + + TPEG Pts36_4, individual PT service + + + + + TPEG Pts36_5, operator + + + + + TPEG Pts36_6, city + + + + + TPEG Pts36_7, area + + + + + TPEG Pts36_8, stop point + + + + + STOP PLACE component + + + + + place + + + + + network + + + + + vehicle journey + + + + + dated vehicle journey + + + + + connection link + + + + + interchange + + + + + TPEG Pts36_0, unknown + + + + + general + + + + + road + + + + + TPEG Pts36_255, undefined + + + + + + + + Type for Location model for scope of SITUATION or effect. + + + + + Affected overall Geographic scope. + + + + + Affected OPERATORs, If absent, taken from context. If present, any OPERATORs stated completely replace those from context. + + + + + + All OPERATORs. + + + + + Operators of services affected by SITUATION. + + + + + + + + Networks affected by SITUATION. + + + + + + Networks and Route(s) affected by SITUATION. + + + + + + + + + + + + + STOP POINTs affected by SITUATION. + + + + + + STOP POINT affected by SITUATION. + + + + + + + + Places other than STOP POINTs affected by SITUATION. + + + + + + STOP PLACE affected by SITUATION. + + + + + + + + Places other than STOP POINTs affected by SITUATION. + + + + + + Place affected by SITUATION. + + + + + + + + Specific journeys affected by SITUATION. + + + + + + Journeys affected by the SITUATION. + + + + + + + + Specific vehicles affected by SITUATION. ((since SIRI 2.0)) + + + + + + Vehicles affected by the SITUATION. ((since SIRI 2.0)) + + + + + + + + Roads affected by. + + + + + + + + Type for Location model for scope of SITUATION or effect. + + + + + Refereences to road network locations affected by the SITUATION. + + + + + Description of affected road. + + + + + + + + Type for image. + + + + + + Reference to an image. + + + + + Embedded image. + + + + + + Categorisation of image content. + + + + + + + Text description of SITUATION. Some or all of this may have been generated from the other structured content elements. Where text has been overriden this is indicated. + + + + + Default language. + + + + + Summary of SITUATION. If absent should be generated from structure elements / and or by condensing Description. (Unbounded since SIRI 2.0) + + + + + Description of SITUATION. Should not repeat any strap line included in Summary. (Unbounded since SIRI 2.0) + + + + + Additional descriptive details about the SITUATION (Unbounded since SIRI 2.0). + + + + + Further advice to passengers. (Unbounded since SIRI 2.0) + + + + + For internal information only, not passenger relevant + + + + + Any images associated with SITUATION. + + + + + + Image description. + + + + + + + + + + + + + Hyperlinks to other resources associated with SITUATION. + + + + + + Hyperlink description. + + + + + + + + + + Values for image content. + + + + + + + + + + Type for a text that may be overridden. + + + + + + Whether the text value has been overridden from the generated default. Default is 'true'. + + + + + + + + Values for image content. + + + + + + + + + + + + Type for a general hyperlink. + + + + + URI for link. + + + + + Label for Link. (Unbounded since SIRI 2.0) + + + + + Image to use when presenting hyperlink. + + + + + Categorisation of link content. + + + + + + + + Type for list of effects. + + + + + Nature of the effect to disrupt (or restore) service, and further details. + + + + + + + Type for disruption. + + + + + Period of effect of disruption, if different from that of SITUATION. + + + + + Condition(s) of effect of disruptions. + + + + + Severity of disruption if different from that of SITUATION. TPEG pti26 + + + + + Parts of transport network affected by disruption if different from that of SITUATION. + + + + + Effect on different passenger needs. + + + + + + Effect on a passenger need. + + + + + + + + Advice to passengers. + + + + + How Disruption should be handled in Info systems. + + + + + Change to normal boarding activity allowed at stop. + + + + + + Information on casualties. + + + + + Description of fare exceptions allowed because of disruption. + + + + + + + + Structured elements of a SITUATION condition. The Condition enumerated value(s) can be used to generate standardized messages describing the SITUATION. If no enumerated values are given, ConditionName is used instead. Note: this means that ConditionName is NOT a complete message, but only a (few) word(s) to be included in the message! - - - - - Structured classification(s) of effect on service, from which a standardized message can be generated. - - - - - Textual classification of effect on service, from which a standardized message can be generated. Not normally needed, except when Condition is absent. - - - - - - - Type for boarding restrictions. - - - - - Type of alighting allowed at stop. Default is 'Alighting'. - - - - - Type of boarding allowed at stop. Default is 'Boarding'. - - - - - - - Type for (structured) advice. The AdviceType enumerated value can be used to generate standardized messages describing the SITUATION. If no enumerated value is given, AdviceName is used instead. + + + + + Structured classification(s) of effect on service, from which a standardized message can be generated. + + + + + Textual classification of effect on service, from which a standardized message can be generated. Not normally needed, except when Condition is absent. + + + + + + + Type for boarding restrictions. + + + + + Type of alighting allowed at stop. Default is 'Alighting'. + + + + + Type of boarding allowed at stop. Default is 'Boarding'. + + + + + + + Type for (structured) advice. The AdviceType enumerated value can be used to generate standardized messages describing the SITUATION. If no enumerated value is given, AdviceName is used instead. Note: this means that AdviceName is NOT a complete message, but only a (few) word(s) to be included in the message! Alternatively, AdviceRef can be used to reference a (complete) standardised advisory message. - - - - - Reference to a standard advisory NOTICE to be given to passengers if a particular condition arises. - - - - - Structured classification of advice for passengers in the given SITUATION, from which a standardized message can be generated. - - - - - Textual classification of advice, from which a standardized message can be generated. Not normally needed, except when AdviceType is absent. - - - - - Further textual advice to passengers. (Unbounded since SIRI 2.0) - - - - - - - Values for TPEG Pts039 - AdviceType, with some additional values - - - - - TPEG Pts39_0, unknown - - - - - TPEG Pts39_1, use replacement bus - - - - - TPEG Pts39_2, use replacement train - - - - - TPEG Pts39_3, use the alternative route - - - - - TPEG Pts39_4, go on foot - - - - - TPEG Pts39_5, please leave the station! Danger! - - - - - TPEG Pts39_6, no means of travel - - - - - TPEG Pts39_7, use different stops - - - - - TPEG Pts39_8, use alternative stop - - - - - TPEG Pts39_9, do not leave vehicle! Danger! - - - - - TPEG Pts39_10, take advice from announcements - - - - - TPEG Pts39_11, take advice from personnel - - - - - TPEG Pts39_12, obey advice from police - - - - - use other PT services - - - - - use interchange - - - - - no advice - - - - - TPEG Pts39_255, undefined advice - - - - - take detour - - - - - change accessibility - - - - - - - - Type for blocking. - - - - - Whether information about parts of the NETWORK identified by AffectsScope should be blocked from the Journey Planner. Default is false; do not suppress. - - - - - Whether information about parts of the NETWORK identified by AffectsScope should be blocked from real-time departure info systems. Default is false; do not suppress. - - - - - - - Type for easement info. - - - - - Ticket restriction conditiosn in effect. TPEG pti table pti25. - - - - - Description of fare exceptions allowed because of disruption. (Unbounded since SIRI 2.0) - - - - - Refernce to a fare exceptions code that is allowed because of the disruption. An easement may relax a fare condition, for exampel "You may use your metro ticket on the bus', or 'You may use your bus ticket in teh metro between these two stops'. - - - - - - - - Type for allowed values of DelayBand. Based on Datex2, with some additional values. - - - - - - - - - - - - - - - - - - - Type for easement info. - - - - - Time band into which delay will fall. - - - - - Category of delay. - - - - - Additional journey time needed to overcome disruption. - - - - - - -
\ No newline at end of file + + + + + Reference to a standard advisory NOTICE to be given to passengers if a particular condition arises. + + + + + Structured classification of advice for passengers in the given SITUATION, from which a standardized message can be generated. + + + + + Textual classification of advice, from which a standardized message can be generated. Not normally needed, except when AdviceType is absent. + + + + + Further textual advice to passengers. (Unbounded since SIRI 2.0) + + + + + + + Values for TPEG Pts039 - AdviceType, with some additional values + + + + + TPEG Pts39_0, unknown + + + + + TPEG Pts39_1, use replacement bus + + + + + TPEG Pts39_2, use replacement train + + + + + TPEG Pts39_3, use the alternative route + + + + + TPEG Pts39_4, go on foot + + + + + TPEG Pts39_5, please leave the station! Danger! + + + + + TPEG Pts39_6, no means of travel + + + + + TPEG Pts39_7, use different stops + + + + + TPEG Pts39_8, use alternative stop + + + + + TPEG Pts39_9, do not leave vehicle! Danger! + + + + + TPEG Pts39_10, take advice from announcements + + + + + TPEG Pts39_11, take advice from personnel + + + + + TPEG Pts39_12, obey advice from police + + + + + use other PT services + + + + + use interchange + + + + + no advice + + + + + TPEG Pts39_255, undefined advice + + + + + take detour + + + + + change accessibility + + + + + + + + Type for blocking. + + + + + Whether information about parts of the NETWORK identified by AffectsScope should be blocked from the Journey Planner. Default is false; do not suppress. + + + + + Whether information about parts of the NETWORK identified by AffectsScope should be blocked from real-time departure info systems. Default is false; do not suppress. + + + + + + + Type for easement info. + + + + + Ticket restriction conditiosn in effect. TPEG pti table pti25. + + + + + Description of fare exceptions allowed because of disruption. (Unbounded since SIRI 2.0) + + + + + Refernce to a fare exceptions code that is allowed because of the disruption. An easement may relax a fare condition, for exampel "You may use your metro ticket on the bus', or 'You may use your bus ticket in teh metro between these two stops'. + + + + + + + + Type for allowed values of DelayBand. Based on Datex2, with some additional values. + + + + + + + + + + + + + + + + + + + Type for easement info. + + + + + Time band into which delay will fall. + + + + + Category of delay. + + + + + Additional journey time needed to overcome disruption. + + + + + + + diff --git a/xsd/siri_model/siri_situationActions.xsd b/xsd/siri_model/siri_situationActions.xsd index 8176a710..7b540937 100644 --- a/xsd/siri_model/siri_situationActions.xsd +++ b/xsd/siri_model/siri_situationActions.xsd @@ -1,10 +1,10 @@ - - - - - - - - - - - main schema - e-service developers - Add names - Europe - >Drafted for version 1.0 Kizoom SITUATION Schema Nicholas Knowles, Kizoom. mailto:schemer@kizoom.org.uk - - 2006-09-29 - - - 2007-04-17 - - - 2013-10-01 - - - - 2013-05-01 - - - -

SIRI-SX is an XML schema for the exchange of structured SITUATIONs. This subschema describes publishing actions

-
- - text/xml - http://www.w3.org/2001/XMLSchema - XML schema, W3C Recommendation 2001 - - {http://www.siri.org.uk/schema/schema/2.0/xsd/siri_model}/siri_situationActions.xsd - [ISO 639-2/B] ENG - Kizoom, 109-123 Clifton Street, London EC4A 4LD - - http://www.siri.org.uk/schema/2.0/xsd/siri_utility/siri_types.xsd - - - Kizoom 2000-2007, CEN 2009-2021 - - -
    -
  • Schema derived Derived from the Kizoom XTIS schema
  • -
- - Version 2.1 - - Arts, recreation and travel, Tourism, Travel (tourism), Transport, + + + 2013-05-01 + + + +

SIRI-SX is an XML schema for the exchange of structured SITUATIONs. This subschema describes publishing actions

+
+ + text/xml + http://www.w3.org/2001/XMLSchema + XML schema, W3C Recommendation 2001 + + {http://www.siri.org.uk/schema/schema/2.0/xsd/siri_model}/siri_situationActions.xsd + [ISO 639-2/B] ENG + Kizoom, 109-123 Clifton Street, London EC4A 4LD + + http://www.siri.org.uk/schema/2.0/xsd/siri_utility/siri_types.xsd + + + + Kizoom 2000-2007, CEN 2009-2021 + + +
    +
  • Schema derived Derived from the Kizoom XTIS schema
  • +
+ + Version 2.1 + + Arts, recreation and travel, Tourism, Travel (tourism), Transport, Air transport, Airports, Ports and maritime transport, Ferries (marine), Public transport, Bus services, Coach services, Bus stops and stations, @@ -89,667 +90,667 @@ Rail transport, Railway stations and track, Train services, Underground trains, Business and industry, Transport, Air transport, Ports and maritime transport, Public transport, Rail transport, Roads and road transport - CEN TC278 WG3 SG7 - - SIRI-SX XML Schema for PT SITUATIONs. Actions subschema - Standard -
-
- SIRI-SX Situation Actions. -
- - - - - Type for list of actions. - - - - - - Description of the whole action to be published. >SIRI 2.0 - - - - - Extension point. - - - - - - - - Type for list of SITUATIONs. - - - - - Processing Status of action at time of SITUATION publication. Default is 'open'. - - - - - - - - Type for parameterised, i.e. user definable, actions. - - - - - - - Description of action. - - - - - Data associated with action. - - - - - Defines a number of publication windows. When not sent, then the publication windows of higher level are valid. Can be overwritten by deeper level. - - - - - - - - - Type for publication action. - - - - - - - Whether reminders should be sent. - - - - - - Intervals before validity start date to send reminders. - - - - - - - - Whether a clearing notice should be displayed. - - - - - - - - - Values for Progress Status. - - - - - - - - - - Type for list of SITUATIONs. - - - - - Name of action data Element. - - - - - Data type of action data. - - - - - Value for action. - - - - - Display prompt for presenting action to user. (Unbounded since SIRI 2.0) - - - - - Defines the information area where the action has to be published. - - - - - - - - - - - - - - Allowed actions to perform to distribute SITUATION. - - - - - - - - - - - - - - - - - Action: Publish SITUATION To Web channel. - - - - - Type for Action Publish SITUATION To Web channel. - - - - - - - Include in SITUATION lists on web site. Default is 'true'. - - - - - Include on home page on web site. Default is 'false'. - - - - - Include in moving ticker band. Default is 'false'. - - - - - Include in social NETWORK indicated by this name. Possible value could be "twitter.com", "facebook.com", "vk.com" and so on. Parameters may be specified as Action data. (SIRI 2.1) - - - - - - - - - Action: Publish SITUATION To Mobile Applications. - - - - - Type for Action Publish SITUATION To Mobile Applications. - - - - - - - Include in SITUATION lists on mobile site. Default is 'true'. - - - - - Include in home page on mobile site. Default is 'false'. - - - - - - - - - Action: Publish SITUATION To Display channel. - - - - - Type for Action Publish SITUATION To Display channel. - - - - - - - Include in SITUATION lists on station displays. - - - - - Include onboard displays. - - - - - - - - - Action: Publish SITUATION To Alert channel. - - - - - Type for Action Publish SITUATION To Alert channel. - - - - - - - Send as email alert. - - - - - Send as mobile alert by SMS or WAP push. - - - - - - - - - Action: Publish SITUATION To TV channel. - - - - - Type for Notify SITUATION to TV channel. - - - - - - - Publish to Ceefax. Default is 'true'. - - - - - Publish to Teletext. Default is 'true'. - - - - - - - - - - Action: Publish SITUATION to Manual publication channel. - - - - - - - - - - Type for Action Publish SITUATION to Manual publication channel. - - - - - - - - Action: Publish SITUATION to an individual user by SMS. - - - - - Type for Notify an individual user by SMS. - - - - - - - MSISDN of user to which to send messages. - - - - - Whether content is flagged as subject to premium charge. Default is 'false'. - - - - - - - - - Action: Publish SITUATION to a named workgroup or individual user by email. - - - - - Type for Notify a named workgroup or individual user by email. - - - - - - - Email address to which notice should be sent. - - - - - - - - - Action: Publish SITUATION To pager. - - - - - Type for Notify user by Pager. - - - - - - - Reference to a pager group to be notified. - - - - - Pager number of pager to be notified. - - - - - - - - - Action: Publish SITUATION To User by other means. - - - - - Type for Notify user by other means. - - - - - - - Workgroup of user to be notified. - - - - - Name of user to be notified. - - - - - Reference to a user to be notified. - - - - - - - - - - - - Description of passenger information action in a specific language. Should not repeat any strap line included in Summary. - - - - - Prioritises a description from the information owner's point of view, e.g. usable for sorting or hiding individual descriptions. + CEN TC278 WG3 SG7 + + SIRI-SX XML Schema for PT SITUATIONs. Actions subschema + Standard + + + SIRI-SX Situation Actions. + + + + + + Type for list of actions. + + + + + + Description of the whole action to be published. >SIRI 2.0 + + + + + Extension point. + + + + + + + + Type for list of SITUATIONs. + + + + + Processing Status of action at time of SITUATION publication. Default is 'open'. + + + + + + + + Type for parameterised, i.e. user definable, actions. + + + + + + + Description of action. + + + + + Data associated with action. + + + + + Defines a number of publication windows. When not sent, then the publication windows of higher level are valid. Can be overwritten by deeper level. + + + + + + + + + Type for publication action. + + + + + + + Whether reminders should be sent. + + + + + + Intervals before validity start date to send reminders. + + + + + + + + Whether a clearing notice should be displayed. + + + + + + + + + Values for Progress Status. + + + + + + + + + + Type for list of SITUATIONs. + + + + + Name of action data Element. + + + + + Data type of action data. + + + + + Value for action. + + + + + Display prompt for presenting action to user. (Unbounded since SIRI 2.0) + + + + + Defines the information area where the action has to be published. + + + + + + + + + + + + + + Allowed actions to perform to distribute SITUATION. + + + + + + + + + + + + + + + + + Action: Publish SITUATION To Web channel. + + + + + Type for Action Publish SITUATION To Web channel. + + + + + + + Include in SITUATION lists on web site. Default is 'true'. + + + + + Include on home page on web site. Default is 'false'. + + + + + Include in moving ticker band. Default is 'false'. + + + + + Include in social NETWORK indicated by this name. Possible value could be "twitter.com", "facebook.com", "vk.com" and so on. Parameters may be specified as Action data. (SIRI 2.1) + + + + + + + + + Action: Publish SITUATION To Mobile Applications. + + + + + Type for Action Publish SITUATION To Mobile Applications. + + + + + + + Include in SITUATION lists on mobile site. Default is 'true'. + + + + + Include in home page on mobile site. Default is 'false'. + + + + + + + + + Action: Publish SITUATION To Display channel. + + + + + Type for Action Publish SITUATION To Display channel. + + + + + + + Include in SITUATION lists on station displays. + + + + + Include onboard displays. + + + + + + + + + Action: Publish SITUATION To Alert channel. + + + + + Type for Action Publish SITUATION To Alert channel. + + + + + + + Send as email alert. + + + + + Send as mobile alert by SMS or WAP push. + + + + + + + + + Action: Publish SITUATION To TV channel. + + + + + Type for Notify SITUATION to TV channel. + + + + + + + Publish to Ceefax. Default is 'true'. + + + + + Publish to Teletext. Default is 'true'. + + + + + + + + + + Action: Publish SITUATION to Manual publication channel. + + + + + + + + + + Type for Action Publish SITUATION to Manual publication channel. + + + + + + + + Action: Publish SITUATION to an individual user by SMS. + + + + + Type for Notify an individual user by SMS. + + + + + + + MSISDN of user to which to send messages. + + + + + Whether content is flagged as subject to premium charge. Default is 'false'. + + + + + + + + + Action: Publish SITUATION to a named workgroup or individual user by email. + + + + + Type for Notify a named workgroup or individual user by email. + + + + + + + Email address to which notice should be sent. + + + + + + + + + Action: Publish SITUATION To pager. + + + + + Type for Notify user by Pager. + + + + + + + Reference to a pager group to be notified. + + + + + Pager number of pager to be notified. + + + + + + + + + Action: Publish SITUATION To User by other means. + + + + + Type for Notify user by other means. + + + + + + + Workgroup of user to be notified. + + + + + Name of user to be notified. + + + + + Reference to a user to be notified. + + + + + + + + + + + + Description of passenger information action in a specific language. Should not repeat any strap line included in Summary. + + + + + Prioritises a description from the information owner's point of view, e.g. usable for sorting or hiding individual descriptions. 1 = highest priority. - - - - - - - - - Consequence of passenger information action in a specific language. - - - - - Prioritises a consequence from the information owner's point of view, e.g. usable for sorting or hiding individual consequences. + + + + + + + + + Consequence of passenger information action in a specific language. + + + + + Prioritises a consequence from the information owner's point of view, e.g. usable for sorting or hiding individual consequences. 1 = highest priority. - - - - - - - - - Indicates the currently expected duration of a SITUATION in a specific language. An estimation should be given here, because an indefinite duration is not helpful to the passenger. The duration can be adjusted at any time, if the traffic operator has additional information. + + + + + + + + + Indicates the currently expected duration of a SITUATION in a specific language. An estimation should be given here, because an indefinite duration is not helpful to the passenger. The duration can be adjusted at any time, if the traffic operator has additional information. - - - - - - - - - - - - Reference to the action number within the incident concept. - - - - - The time of the last update. This must be the timestamp of the original data source and not that of an intermediate system, such as a data hub. This timestamp has to be changed by the source system with every update. - - - - - The monotonically inscresing version of the passenger information instance. If absent, is the same version as the enclosing Situation - - - - - The system which created this passenger information. If absent, the same system as the PtSituationElement.ParticipantRef. - - - - - The organisation which owns this passenger information. - - - - - Perspective of the passenger, e.g. general, vehicleJourney, stopPoint. - - - - - Prioritises a passenger information action from the information owner's point of view, e.g. suitable for sorting or hiding individual passenger information actions. + + + + + + + + + + + + Reference to the action number within the incident concept. + + + + + The time of the last update. This must be the timestamp of the original data source and not that of an intermediate system, such as a data hub. This timestamp has to be changed by the source system with every update. + + + + + The monotonically inscresing version of the passenger information instance. If absent, is the same version as the enclosing Situation + + + + + The system which created this passenger information. If absent, the same system as the PtSituationElement.ParticipantRef. + + + + + The organisation which owns this passenger information. + + + + + Perspective of the passenger, e.g. general, vehicleJourney, stopPoint. + + + + + Prioritises a passenger information action from the information owner's point of view, e.g. suitable for sorting or hiding individual passenger information actions. 1 = highest priority. - - - - - The actual, structured passenger information for a specific TextualContentSize. - - - - - - - - - Type for description of the whole action to be published (extends SIRI-SX v2.0p). - - - - - Defines the information area where the action has to be published. - - - - - - - - - - - Description of the whole passenger information of one action. - - - - - - - - - Reason of passenger information action in a specific language. - - - - - - - - - Recommendation of passenger information action in a specific language. - - - - - Prioritises a recommendation from the information owner's point of view, e.g. usable for sorting or hiding individual recommendations. + + + + + The actual, structured passenger information for a specific TextualContentSize. + + + + + + + + + Type for description of the whole action to be published (extends SIRI-SX v2.0p). + + + + + Defines the information area where the action has to be published. + + + + + + + + + + + Description of the whole passenger information of one action. + + + + + + + + + Reason of passenger information action in a specific language. + + + + + + + + + Recommendation of passenger information action in a specific language. + + + + + Prioritises a recommendation from the information owner's point of view, e.g. usable for sorting or hiding individual recommendations. 1 = highest priority. - - - - - - - - - Further remark to passengers, e,g, "For more information call xy". - - - - - Prioritises a remark from the information owner's point of view, e.g. usable for sorting or hiding individual remarks. + + + + + + + + + Further remark to passengers, e,g, "For more information call xy". + + + + + Prioritises a remark from the information owner's point of view, e.g. usable for sorting or hiding individual remarks. 1 = highest priority. - - - - - - - - - Summary of passenger information action in a specific language. - - - - - - - - - Class of size, e.g. L (large), M (medium), S (small) - - - - - Limits the distribution to publication channels in addition to perspective - - - - - Content for summary of a passenger information action - - - - - Content for reason of a passenger information action - - - - - Content for n descriptions of a passenger information action. For hiding / sorting descriptions in end devices, a description priority can be set. - - - - - Content for n consequences of a passenger information action. For hiding / sorting descriptions in end devices, a consequence priority can be set. - - - - - Content for n recommendations of a passenger information action. For hiding / sorting descriptions in end devices, a recommendation priority can be set. - - - - - Content for the duration of a passenger information action. - - - - - Content for n remarks of a passenger information action, e,g, "For more information call xy". For hiding / sorting descriptions in end devices, a remark priority can be set. - - - - - Hyperlinks to other resources associated with SITUATION. - - - - - Any images associated with SITUATION. - - - - - for internal information only, not passenger relevant - - - - - - - Values for perspectives. - - - - - - - -
\ No newline at end of file + + + + + + + + + Summary of passenger information action in a specific language. + + + + + + + + + Class of size, e.g. L (large), M (medium), S (small) + + + + + Limits the distribution to publication channels in addition to perspective + + + + + Content for summary of a passenger information action + + + + + Content for reason of a passenger information action + + + + + Content for n descriptions of a passenger information action. For hiding / sorting descriptions in end devices, a description priority can be set. + + + + + Content for n consequences of a passenger information action. For hiding / sorting descriptions in end devices, a consequence priority can be set. + + + + + Content for n recommendations of a passenger information action. For hiding / sorting descriptions in end devices, a recommendation priority can be set. + + + + + Content for the duration of a passenger information action. + + + + + Content for n remarks of a passenger information action, e,g, "For more information call xy". For hiding / sorting descriptions in end devices, a remark priority can be set. + + + + + Hyperlinks to other resources associated with SITUATION. + + + + + Any images associated with SITUATION. + + + + + for internal information only, not passenger relevant + + + + + + + Values for perspectives. + + + + + + + + diff --git a/xsd/siri_model/siri_situationAffects.xsd b/xsd/siri_model/siri_situationAffects.xsd index 3d8011e5..23bbe4ef 100644 --- a/xsd/siri_model/siri_situationAffects.xsd +++ b/xsd/siri_model/siri_situationAffects.xsd @@ -1,36 +1,36 @@ - - - - - - - - - - - - - - main schema - e-service developers - Waldemar Isajkin (INIT GmbH) - Europe - Drafted for version 1.0 Kizoom Incident Schema Nicholas Knowles, Kizoom. mailto:schemer@kizoom.org.uk - - 2007-09-29 - - - 2007-05-10 - - - 2008-07-05 - - - - 2013-10-10 - + + + + + + + + + main schema + e-service developers + Waldemar Isajkin (INIT GmbH) + Europe + Drafted for version 1.0 Kizoom Incident Schema Nicholas Knowles, Kizoom. mailto:schemer@kizoom.org.uk + + 2007-09-29 + + + 2007-05-10 + + + 2008-07-05 + + + + 2013-10-10 + - - 2014-06-20 - - - 2018-06-13 - - - 2018-11-08 - - - 2019-05-07 - - - 2020-01-29 - - - -

SIRI-SX is an XML schema for the exchange of structured incidents

-
- - text/xml - http://www.w3.org/2001/XMLSchema - XML schema, W3C Recommendation 2001 - - {http://www.siri.org.uk/schema/2.0/xsd/}siri_model/siri_situationAffects.xsd - [ISO 639-2/B] ENG - CEN - - http://www.siri.org.uk/schema/2.0/xsd/siri_model/siri_situationServiceTypes.xsd - http://www.siri.org.uk/schema/2.0/xsd/siri_model/siri_modes.xsd - http://www.siri.org.uk/schema/2.0/xsd/siri_model/siri_journey.xsd - - - Kizoom 2000-2007, CEN 2009-2021 - - -
    -
  • Schema derived Derived from the Kizoom XTIS schema
  • -
- - Version 2.1 - - Arts, recreation and travel, Tourism, Travel (tourism), Transport, +
+ +

SIRI-SX is an XML schema for the exchange of structured incidents

+
+ + text/xml + http://www.w3.org/2001/XMLSchema + XML schema, W3C Recommendation 2001 + + {http://www.siri.org.uk/schema/2.0/xsd/}siri_model/siri_situationAffects.xsd + [ISO 639-2/B] ENG + CEN + + http://www.siri.org.uk/schema/2.0/xsd/siri_model/siri_situationServiceTypes.xsd + http://www.siri.org.uk/schema/2.0/xsd/siri_model/siri_modes.xsd + http://www.siri.org.uk/schema/2.0/xsd/siri_model/siri_journey.xsd + + + + Kizoom 2000-2007, CEN 2009-2021 + + +
    +
  • Schema derived Derived from the Kizoom XTIS schema
  • +
+ + Version 2.1 + + Arts, recreation and travel, Tourism, Travel (tourism), Transport, Air transport, Airports, Ports and maritime transport, Ferries (marine), Public transport, Bus services, Coach services, Bus stops and stations, @@ -100,1429 +106,1429 @@ Rail transport, Railway stations and track, Train services, Underground trains, Business and industry, Transport, Air transport, Ports and maritime transport, Public transport, Rail transport, Roads and road transport - CEN TC278 WG3 SG7 - - SIRI-SX Xml Schema for PT Incidents. Common affects element subschema - Standard -
-
- SIRI-SX Situation Scope. -
- - - - Type for an SCHEDULED STOP POINT affected by a SITUATION. - - - - - - Alternative private code of stop. - - - - - Name of SCHEDULED STOP POINT. (Unbounded since SIRI 2.0) - - - - - Type of stop type. Normally implicit in VEHICLE mode. TPEG table pti 17_4 - - - - - Spatial coordinates of STOP POINT. Derivable from StopRef. - - - - - Reference of STOP PLACE related to this affected StopPoint. - - - - - Name of STOP PLACE related to this affected StopPoint. (Unbounded to allow a text for every language) - - - - - Modes within station/stop affected by the SITUATION. If not specified, assume all modes of that station. - - - - - Reference to a SITE or TOPOGRAPHIC PLACE affected by the Locality of stop (In UK NPtg Locality Code). Derivable from StopRef. - - - - - Name of locality in which stop is found. Derivable from LocalityRef. (Unbounded since SIRI 2.0) - - - - - Assessment of current ACCESSIBILITY of the STOP POINT as affected by the SITUATION. - - - - - Status of STOP - - - - - CONNECTION links from stop. - - - - - - CONNECTION LINKs from stop that are affected by the SITUATION. - - - - - - - - Used to restrict stop points to some lines - - - - - - - - - - - - - Type for TRANSPORT MODEs affecetd by a SITUATION. - - - - - All known modes for stop. - - - - - Mode affected by SITUATION. - - - - - - - - - - - Type for identifier of a ZONe. - - - - - - Type for a reference to a ZONE or locality. - - - - - - - - - - Type for a reference Information about a CONNECTION link from a given stop that is affected by a SITUATION. - - - - - Reference to a CONNECTION link affected by a SITUATION. - - - - - Name of CONNECTION link affected by a SITUATION. - - - - - - - - - Reference to other connecting STOP POINT of a CONNECTION link. If blank, both feeder and distributor vehicles go to same stop. - Reference to a STOP POINT. - - - - - Name of other connecting STOP POINT of a CONNECTION link. Derivable from StopRef. (Unbounded since SIRI 2.0) - - - - - Zone in which connecting stop lies. - - - - - - - Direction of SERVICE JOURNEY INTERCHANGE. Default is 'both'. - - - - - PATH LINKs affected by a SITUATION. - - - - - - - - Values for DIRECTION of CONNECTION link or SERVCIE JOURNEY INTERCHANGE. - - - - - - - - - - - Information about a CONNECTION link from a given stop affected by a SITUATION. - - - - - Identifier of CONNECTION link. - - - - - Description of Link. (Unbounded since SIRI 2.0) - - - - - Nature of CONNECTION link. - - - - - Description of a DIRECTION of CONNECTION link. - - - - - Spatial projection of element that can be used to show affected area on a map. - - - - - - - - - - Mode Submode. Overrides any value sspecified for (i) Affected Network (ii) General Context. - - - - - - - - - - Information about a SERVICE JOURNEY INTERCHANGE at CONNECTION link from a given SCHEDULED STOP POINT. - - - - - Reference to a SERVICE JOURNEY INTERCHANGE affected by a SITUATION. - - - - - Identifier of STOP POINT of a stop at which VEHICLE JOURNEY meets for interchange If blank, same stop as destination. - Reference to a STOP POINT. - - - - - Name of other Connecting STOP POINT of a connection. Derivable from InterchangeStopRef. (Unbounded since SIRI 2.0) - - - - - Reference to connecting VEHICLE JOURNEY affected by a SITUATION. - - - - - - Reference to a CONNECTION Link affected by a SITUATION. - - - - - - - - - Type for identifier of an OPERATOR Code. - - - - - - Type for reference to an OPERATOR. - - - - - - - - Type for identifier of an OPERATOR Code. - - - - - - Type for reference to an Operatorational Unit Code. - - - - - - - - Type for Annotated reference to an OPERATOR affected by a SITUATION. - - - - - Reference to an OPERATOR. - - - - - Public Name of OPERATOR. Can be derived from OperatorRef. (Unbounded since SIRI 2.0) - - - - - Short Name for OPERATOR. Can be derived from OperatorRef. (Unbounded since SIRI 2.0) - - - - - OPERATIONAL UNIT responsible for managing services. - - - - - - - - Type for Annotated reference to a NETWORK affected by a SITUATION. - - - - - Reference to a NETWORK. - - - - - Name of NETWORK. Can be derived from NetworkRef. (Unbounded since SIRI 2.0) - - - - - - - - - Type for ideifier of a Route section. - - - - - - Type for reference to a Section. - - - - - - - - Line to which link connects. - - - - - - - - - - Type for identifier of an advisory NOTICE - - - - - - Type for reference to predefined advisory NOTICE. - - - - - - - - - - - GIs projection of Section. NB Line here means Geometry Polyline, not Transmodel Transport Line. - - - - - Offset from start or end of section to use when projecting. - - - - - - - Type for information about the LINEs affected by a SITUATION. - - - - - Distance in metres from start of link at which SITUATION is to be shown. I f absent use start of link. - - - - - Distance in metres from end of link at which SITUATION is to be shown. I f absent use end of link. - - - - - - - Type for information about the parts of the network affected by an incident. If not explicitly overridden, modes and submodes will be defaulted to any values present in the general context. - - - - - Operators of LINEs affected by incident. Overrides any value specified for (i) General Context. - - - - - Network of affected LINE. If absent, may be taken from context. - - - - - Name of Network. (Unbounded since SIRI 2.0) - - - - - Textual description of overall routes affected. Should correspond to any structured description in the AffectedLines element. (Unbounded since SIRI 2.0) - - - - - - - All LINEs in the network are affected. - - - - - Only some ROUTEs are affected, LINE level information not available. See the RoutesAffected element for textual description. - - - - - Only some COMMON SECTIONs are affected, LINE level information not available. - - - - - - Information about the indvidual LINEs in the network that are affected. If not explicitly overridden, modes and submodes will be defaulted to any values present (i) in the AffectedNetwork (ii) In the general context. - - - - - - - - - - Information about the individual LINEs in the network that are affected by a SITUATION. If not explicitly overridden, modes and submodes will be defaulted to any values present (i) in the AffectedNetwork (ii) in the general context. - - - - - Restricts the affected scope to the specified operators of LINEs that are affected by the situation. Overrides any value specified for (i) Affected Network (ii) General Context. - - - - - - Restricts the affected scope to the specified origins - - - - - Restricts the affected scope to the specified DESTINATIONs - - - - - DIRECTIONs affected. - - - - - Restricts the affected scope to the specified ROUTEs - - - - - - Route affected by Situation. - - - - - - - - Restricts the affected scope to the specified LINE SECTIONs - - - - - - - - - - Restricts the affected scope to the specified SCHEDULED STOP POINTs - - - - - - - - - - Restricts the affected scope to the specified STOP PLACEs - - - - - - - - - - - - - Type for information about the SECTIONs affected by a SITUATION. - - - - - - Reference to a section of ROUTE affected by a SITUATION. - - - - - An indirect reference to a COMMON SECTION by stating the stop point ref of the first and last POINT IN JOURNEY PATTERN of the section in question. Intermediate POINTs should be added if necessary to distinguish different sections having the same start and end point and is a means to exclude sections not containing those stop points. - - - - - - - Used to indicate the SCHEDULED stop point at the start of the SECTION - - - - - Used to indicate that any SCHEDULED stop point with a stop assignment to the indicated StopPlace is to be considered as start of the SECTION - - - - - Used to indicate that any SCHEDULED stop point with a stop assignment to the indicated QUAY is to be considered as start of the SECTION - - - - - - - An intermediate Stop POINT of the SECTION that must be part of SECTION - - - - - Used to indicate that at least one SCHEDULED stop point with a stop assignment to the indicated StopPlace must be part of the SECTION - - - - - Used to indicate that at least one SCHEDULED stop point with a stop assignment to the indicated QUAY must be part of the SECTION - - - - - - - Used to indicate the SCHEDULED stop point at the end of the SECTION - - - - - Used to indicate that any SCHEDULED stop point with a stop assignment to the indicated StopPlace is to be considered as end of the SECTION - - - - - Used to indicate that any SCHEDULED stop point with a stop assignment to the indicated QUAY is to be considered as end of the SECTION - - - - - - - - - - Spatial projection of element that can be used to show affected area on a map. - - - - - - - - - An ordered list of MAPPING POINTs defining one single path through the road (or rail) Network. A ROUTE may pass through the same MAPPING POINT more than once. - - - - - Reference to a ROUTE affected by SITUATION. - - - - - DIRECTIONS affected by SITUATION. - - - - - Sections of ROUTE affected by SITUATION. - - - - - - Sections of ROUTE that is affected by SITUATION. - - - - - - - - Stop Poins of the ROUTE. Can be either all or only affected by SITUATION. - - - - - - Indicates whether the list of STOP POINTS contains all STOP POINTS of ROUTE or only affected by SITUATION. - - - - - - Stop Point of the ROUTE - - - - - GIs projection of Link to the next provided StopPoint. NB Line here means Geometry Polyline, not Transmodel Transport Line. - - - - - - - - - ROUTE LINKs affected by SITUATION. - - - - - - - - - - - - - - Type for information about a VEHICLE JOURNEY affected by a SITUATION. - - - - - Use of simple reference is deprecated - - - - Refercence to a VEHICLE JOURENY framed by the day. SIRI 2.0 - - - - - DEPRECATED (SIRI 2.1) - use only FramedVehicleJourneyRef - - - - - - Reference to a specific DATED VEHICLE JOURNEY affected by a SITUATION. - - - - - Name of journey affected by a SITUATION. (Unbounded since SIRI 2.0) - - - - - OPERATOR of LINE affected by SITUATION. - - - - - Reference to the LINE of the journey affected by an SITUATION. - - - - - - DIRECTION of LINE in which journey runs. - - - - - BLOCK which journey runs. (since SIRI 2.0) - - - - - TRAIN NUMBERs for journey. (since SIRI 2.0) - - - - - - TRAIN NUMBER assigned to VEHICLE JOURNEY. +SIRI 2.0 - - - - - - - - JOURNEY PARTs making up JOURNEY +SIRIv2.0 e. - - - - - - Information about Parts of JOURNEY (since SIRI 2.0) - - - - - - - - Restricts the affected scope to the specified origins from which the LINE runs. [equivalent to pti15 1 start_point route_description_type] - - - - - Restricts the affected scope to the specified DESTINATIONs - - - - - ROUTE affected by the SITUATION. - - - - - Timetabled departure tme of journey from Origin. - - - - - Timetabled arrival time of journey at Destination. - - - - - DESTINATION name shown for journey at the origin. Can be Used to identify journey for user. (since SIRI 2.0), - - - - - DESTINATION name shown for journey at the origin. Can be Used to identify journey for user. (since SIRI 2.0) - - - - - Accessibility Disruption status ofto JOURNEY, as affected by Situation. - - - - - Status of service for this Vehicle Journey - TPEG value. Multiple Conditions can be valid at the same time. (since SIRI 2.0) - - - - - CALLs making up VEHICLE JOURNEY [equivalent to TPEG pti15 3 stop, 15_5 not-stopping, 15-6 temporary stop route_description_type] - - - - - - - - - - Facilities available for VEHICLE JOURNEY (since SIRI 2.0) - - - - - - Facililitiy available for VEHICLE JOURNEY (since SIRI 2.0) - - - - - - - - - - - Type for information about a VEHICLE affected by an SITUATION. - - - - - Reference to a specific VEHICLE affected by an SITUATION. - - - - - Registration plate of VEHICLE - - - - - (Mobile) phone number on which the vehicle can be called - - - - - Internet protocol address of the VEHICLE in form 000.000.000.000 - - - - - Radio address of the VEHICLE - - - - - Reference to VEHICLE JOURNEY framed by the day which the VEHICLE is running. - - - - - Location where the VEHICLE was when the situation arose - - - - - Current Location of the VEHICLE - - - - - Current Accessibility assessment of vehicle. - - - - - - If a VEHICLE JOURNEY is a coupled journey, i.e. comprises several coupled BLOCK PARTs, there will be a separate delivery for each BLOCK PART and this element will indicate the vehicles that the journey part uses. - - - - - - Whether the VEHICLE is in traffic congestion. If not, present, not known. - - - - - Whether the panic alarm on the VEHICLE is activated. Default is 'false'. - - - - - Whether this is a Headway Service, that is shown as operating at a prescribed interval rather than to a fixed timetable. Default is 'false'. - - - - - - - - Type for information about a CALL affected by an SITUATION. - - - - - - - Order of visit to stop within JOURNEY PATTERN of journey. - - - - - Status of CALL TPEG 13_6 - - - - - - - - - - - - - - - - - - - - - Elements describing the arrival of a VEHICLE at a SCHEDULED STOP POINT. - - - - - - - - - - - - Elements describing the departure of a VEHICLE from a SCHEDULED STOP POINT. - - - - - - - - - - - - Type for information about a FACILITY affected by an SITUATION. (since SIRI 2.0) - - - - - - Identifier of stop point at which availability first applies. - - - - - Identifier of stop point at which availability last applies. - - - - - Name of FACILITY. - - - - - Status of Facility - - - - - - - - - Type for annotated references to a TOPOGRAPHIC PLACE. - - - - - Reference to a SITE or TOPOGRAPHIC PLACE (Locality). - - - - - Alternative identifier of SITE or TOPOGRAPHIC PLACE - - - - - Name of SITE or TOPOGRAPHIC PLACE (locality) in which stop is found. (Unbounded since SIRI 2.0) - - - - - Spatial coordinates of STOP POINT. Derivable from StopRef. - - - - - Category of TOPOGRAPHIC PLACE or SITE. - - - - - Reference to an EQUIPMENT found at SITE. - - - - - Changes to accessibility for SITE. - - - - - - - - - Type for information about the quays affected by an SITUATION. - - - - - Disruption of accessibility. - - - - - - - Type for information about the STOP PLACEs affected by an SITUATION. - - - - - - - Identifier of STOP PLACE affected by SITUATION. - - - - - Name of STOP PLACE. (Unbounded since SIRI 2.0) - - - - - Type of STOP PLACE. - - - - - Facilities available for VEHICLE JOURNEY (since SIRI 2.0) - - - - - - Facililitiy available for VEHICLE JOURNEY (since SIRI 2.0) - - - - - - - - Quays affected by SITUATION. - - - - - - Quay affected by SITUATION. - - - - - - - - PathLinks affected by SITUATION. - - - - - - - - - - Used to restrict STOP PLACEs to some lines - - - - - - - - - - - - - - - Type for information about the quays affected by an SITUATION. - - - - - - - Reference to a STOP PLACE. - - - - - Name of component. (Unbounded since SIRI 2.0) - - - - - Type of Component. - - - - - - Further qualifcation of affected part of Link projection, - - - - - Type of AccessFeature (+SIRI.20) - - - - - Facilities available for component (since SIRI 2.0) - - - - - - Facility available for VEHICLE JOURNEY (since SIRI 2.0) - - - - - - - - - - - - - Type for Information on casualties. - - - - - Number of fatalities. - - - - - Number of injured presons. - - - - - - - Values for STOP PLACE types - TPEG Pts041 and IFOPT - - - - - TPEG Pts41_0, unknown - - - - - TPEG Pts41_1, railway station - - - - - TPEG Pts41_2, underground station - - - - - IFOPT, TPEG Pts41_3, tram station - - - - - IFOPT, TPEG Pts41_4, bus station - - - - - IFOPT, TPEG Pts41_5, airport - - - - - TPEG Pts41_6, pier - - - - - IFOPT, TPEG Pts41_7, harbour port - - - - - ,IFOPT, TPEG Pts41_8, ferry stop - - - - - TPEG Pts41_9, light railway station - - - - - TPEG Pts41_10, cogwheel station - - - - - TPEG Pts41_11, funicular station - - - - - TPEG Pts41_12, ropeway station - - - - - IFOPT, coach station - - - - - IFOPT, ferry port - - - - - IFOPT, on-street bus stop - - - - - IFOPT, on-street tram stop - - - - - IFOPT, ski lift - - - - - IFOPT, other - - - - - TPEG Pts41_255, undefined STOP PLACE type - - - - - IFOPT, deprecated (SIRI 2.1), use railwayStation - - - - - IFOPT, deprecated (SIRI 2.1), use undergroundStation - - - - - - - Values for AccessibilityFeature - TPEG Pts040 and IFOPT - - - - - IFOPT, TPEG Pts40_0, unknown - - - - - TPEG Pts40_1, single step - - - - - IFOPT, TPEG Pts40_2, stairs - - - - - IFOPT, TPEG Pts40_3, escalator - - - - - IFOPT, TPEG Pts40_4, travelator / moving walkway - - - - - IFOPT, TPEG Pts40_5, lift / elevator - - - - - IFOPT, TPEG Pts40_6, ramp - - - - - TPEG Pts40_7, mind the gap - - - - - TPEG Pts40_8, tactile paving - - - - - IFOPT, series of stairs - - - - - IFOPT, shuttle - - - - - IFOPT, barrier - - - - - IFOPT, narrow entrance - - - - - IFOPT, confined space - - - - - IFOPT, queue management - - - - - IFOPT, none - - - - - IFOPT, other - - - - - TPEG Pts40_255, undefined accessibility feature type - - - - - + CEN TC278 WG3 SG7 + + SIRI-SX Xml Schema for PT Incidents. Common affects element subschema + Standard + + + SIRI-SX Situation Scope. + + + + + Type for an SCHEDULED STOP POINT affected by a SITUATION. + + + + + + Alternative private code of stop. + + + + + Name of SCHEDULED STOP POINT. (Unbounded since SIRI 2.0) + + + + + Type of stop type. Normally implicit in VEHICLE mode. TPEG table pti 17_4 + + + + + Spatial coordinates of STOP POINT. Derivable from StopRef. + + + + + Reference of STOP PLACE related to this affected StopPoint. + + + + + Name of STOP PLACE related to this affected StopPoint. (Unbounded to allow a text for every language) + + + + + Modes within station/stop affected by the SITUATION. If not specified, assume all modes of that station. + + + + + Reference to a SITE or TOPOGRAPHIC PLACE affected by the Locality of stop (In UK NPtg Locality Code). Derivable from StopRef. + + + + + Name of locality in which stop is found. Derivable from LocalityRef. (Unbounded since SIRI 2.0) + + + + + Assessment of current ACCESSIBILITY of the STOP POINT as affected by the SITUATION. + + + + + Status of STOP + + + + + CONNECTION links from stop. + + + + + + CONNECTION LINKs from stop that are affected by the SITUATION. + + + + + + + + Used to restrict stop points to some lines + + + + + + + + + + + + + Type for TRANSPORT MODEs affecetd by a SITUATION. + + + + + All known modes for stop. + + + + + Mode affected by SITUATION. + + + + + + + + + + + Type for identifier of a ZONe. + + + + + + Type for a reference to a ZONE or locality. + + + + + + + + + + Type for a reference Information about a CONNECTION link from a given stop that is affected by a SITUATION. + + + + + Reference to a CONNECTION link affected by a SITUATION. + + + + + Name of CONNECTION link affected by a SITUATION. + + + + + + + + + Reference to other connecting STOP POINT of a CONNECTION link. If blank, both feeder and distributor vehicles go to same stop. + Reference to a STOP POINT. + + + + + Name of other connecting STOP POINT of a CONNECTION link. Derivable from StopRef. (Unbounded since SIRI 2.0) + + + + + Zone in which connecting stop lies. + + + + + + + Direction of SERVICE JOURNEY INTERCHANGE. Default is 'both'. + + + + + PATH LINKs affected by a SITUATION. + + + + + + + + Values for DIRECTION of CONNECTION link or SERVCIE JOURNEY INTERCHANGE. + + + + + + + + + + + Information about a CONNECTION link from a given stop affected by a SITUATION. + + + + + Identifier of CONNECTION link. + + + + + Description of Link. (Unbounded since SIRI 2.0) + + + + + Nature of CONNECTION link. + + + + + Description of a DIRECTION of CONNECTION link. + + + + + Spatial projection of element that can be used to show affected area on a map. + + + + + + + + + + Mode Submode. Overrides any value sspecified for (i) Affected Network (ii) General Context. + + + + + + + + + + Information about a SERVICE JOURNEY INTERCHANGE at CONNECTION link from a given SCHEDULED STOP POINT. + + + + + Reference to a SERVICE JOURNEY INTERCHANGE affected by a SITUATION. + + + + + Identifier of STOP POINT of a stop at which VEHICLE JOURNEY meets for interchange If blank, same stop as destination. + Reference to a STOP POINT. + + + + + Name of other Connecting STOP POINT of a connection. Derivable from InterchangeStopRef. (Unbounded since SIRI 2.0) + + + + + Reference to connecting VEHICLE JOURNEY affected by a SITUATION. + + + + + + Reference to a CONNECTION Link affected by a SITUATION. + + + + + + + + + Type for identifier of an OPERATOR Code. + + + + + + Type for reference to an OPERATOR. + + + + + + + + Type for identifier of an OPERATOR Code. + + + + + + Type for reference to an Operatorational Unit Code. + + + + + + + + Type for Annotated reference to an OPERATOR affected by a SITUATION. + + + + + Reference to an OPERATOR. + + + + + Public Name of OPERATOR. Can be derived from OperatorRef. (Unbounded since SIRI 2.0) + + + + + Short Name for OPERATOR. Can be derived from OperatorRef. (Unbounded since SIRI 2.0) + + + + + OPERATIONAL UNIT responsible for managing services. + + + + + + + + Type for Annotated reference to a NETWORK affected by a SITUATION. + + + + + Reference to a NETWORK. + + + + + Name of NETWORK. Can be derived from NetworkRef. (Unbounded since SIRI 2.0) + + + + + + + + + Type for ideifier of a Route section. + + + + + + Type for reference to a Section. + + + + + + + + Line to which link connects. + + + + + + + + + + Type for identifier of an advisory NOTICE + + + + + + Type for reference to predefined advisory NOTICE. + + + + + + + + + + + GIs projection of Section. NB Line here means Geometry Polyline, not Transmodel Transport Line. + + + + + Offset from start or end of section to use when projecting. + + + + + + + Type for information about the LINEs affected by a SITUATION. + + + + + Distance in metres from start of link at which SITUATION is to be shown. I f absent use start of link. + + + + + Distance in metres from end of link at which SITUATION is to be shown. I f absent use end of link. + + + + + + + Type for information about the parts of the network affected by an incident. If not explicitly overridden, modes and submodes will be defaulted to any values present in the general context. + + + + + Operators of LINEs affected by incident. Overrides any value specified for (i) General Context. + + + + + Network of affected LINE. If absent, may be taken from context. + + + + + Name of Network. (Unbounded since SIRI 2.0) + + + + + Textual description of overall routes affected. Should correspond to any structured description in the AffectedLines element. (Unbounded since SIRI 2.0) + + + + + + + All LINEs in the network are affected. + + + + + Only some ROUTEs are affected, LINE level information not available. See the RoutesAffected element for textual description. + + + + + Only some COMMON SECTIONs are affected, LINE level information not available. + + + + + + Information about the indvidual LINEs in the network that are affected. If not explicitly overridden, modes and submodes will be defaulted to any values present (i) in the AffectedNetwork (ii) In the general context. + + + + + + + + + + Information about the individual LINEs in the network that are affected by a SITUATION. If not explicitly overridden, modes and submodes will be defaulted to any values present (i) in the AffectedNetwork (ii) in the general context. + + + + + Restricts the affected scope to the specified operators of LINEs that are affected by the situation. Overrides any value specified for (i) Affected Network (ii) General Context. + + + + + + Restricts the affected scope to the specified origins + + + + + Restricts the affected scope to the specified DESTINATIONs + + + + + DIRECTIONs affected. + + + + + Restricts the affected scope to the specified ROUTEs + + + + + + Route affected by Situation. + + + + + + + + Restricts the affected scope to the specified LINE SECTIONs + + + + + + + + + + Restricts the affected scope to the specified SCHEDULED STOP POINTs + + + + + + + + + + Restricts the affected scope to the specified STOP PLACEs + + + + + + + + + + + + + Type for information about the SECTIONs affected by a SITUATION. + + + + + + Reference to a section of ROUTE affected by a SITUATION. + + + + + An indirect reference to a COMMON SECTION by stating the stop point ref of the first and last POINT IN JOURNEY PATTERN of the section in question. Intermediate POINTs should be added if necessary to distinguish different sections having the same start and end point and is a means to exclude sections not containing those stop points. + + + + + + + Used to indicate the SCHEDULED stop point at the start of the SECTION + + + + + Used to indicate that any SCHEDULED stop point with a stop assignment to the indicated StopPlace is to be considered as start of the SECTION + + + + + Used to indicate that any SCHEDULED stop point with a stop assignment to the indicated QUAY is to be considered as start of the SECTION + + + + + + + An intermediate Stop POINT of the SECTION that must be part of SECTION + + + + + Used to indicate that at least one SCHEDULED stop point with a stop assignment to the indicated StopPlace must be part of the SECTION + + + + + Used to indicate that at least one SCHEDULED stop point with a stop assignment to the indicated QUAY must be part of the SECTION + + + + + + + Used to indicate the SCHEDULED stop point at the end of the SECTION + + + + + Used to indicate that any SCHEDULED stop point with a stop assignment to the indicated StopPlace is to be considered as end of the SECTION + + + + + Used to indicate that any SCHEDULED stop point with a stop assignment to the indicated QUAY is to be considered as end of the SECTION + + + + + + + + + + Spatial projection of element that can be used to show affected area on a map. + + + + + + + + + An ordered list of MAPPING POINTs defining one single path through the road (or rail) Network. A ROUTE may pass through the same MAPPING POINT more than once. + + + + + Reference to a ROUTE affected by SITUATION. + + + + + DIRECTIONS affected by SITUATION. + + + + + Sections of ROUTE affected by SITUATION. + + + + + + Sections of ROUTE that is affected by SITUATION. + + + + + + + + Stop Poins of the ROUTE. Can be either all or only affected by SITUATION. + + + + + + Indicates whether the list of STOP POINTS contains all STOP POINTS of ROUTE or only affected by SITUATION. + + + + + + Stop Point of the ROUTE + + + + + GIs projection of Link to the next provided StopPoint. NB Line here means Geometry Polyline, not Transmodel Transport Line. + + + + + + + + + ROUTE LINKs affected by SITUATION. + + + + + + + + + + + + + + Type for information about a VEHICLE JOURNEY affected by a SITUATION. + + + + + Use of simple reference is deprecated + + + + Refercence to a VEHICLE JOURENY framed by the day. SIRI 2.0 + + + + + DEPRECATED (SIRI 2.1) - use only FramedVehicleJourneyRef + + + + + + Reference to a specific DATED VEHICLE JOURNEY affected by a SITUATION. + + + + + Name of journey affected by a SITUATION. (Unbounded since SIRI 2.0) + + + + + OPERATOR of LINE affected by SITUATION. + + + + + Reference to the LINE of the journey affected by an SITUATION. + + + + + + DIRECTION of LINE in which journey runs. + + + + + BLOCK which journey runs. (since SIRI 2.0) + + + + + TRAIN NUMBERs for journey. (since SIRI 2.0) + + + + + + TRAIN NUMBER assigned to VEHICLE JOURNEY. +SIRI 2.0 + + + + + + + + JOURNEY PARTs making up JOURNEY +SIRIv2.0 e. + + + + + + Information about Parts of JOURNEY (since SIRI 2.0) + + + + + + + + Restricts the affected scope to the specified origins from which the LINE runs. [equivalent to pti15 1 start_point route_description_type] + + + + + Restricts the affected scope to the specified DESTINATIONs + + + + + ROUTE affected by the SITUATION. + + + + + Timetabled departure tme of journey from Origin. + + + + + Timetabled arrival time of journey at Destination. + + + + + DESTINATION name shown for journey at the origin. Can be Used to identify journey for user. (since SIRI 2.0), + + + + + DESTINATION name shown for journey at the origin. Can be Used to identify journey for user. (since SIRI 2.0) + + + + + Accessibility Disruption status ofto JOURNEY, as affected by Situation. + + + + + Status of service for this Vehicle Journey - TPEG value. Multiple Conditions can be valid at the same time. (since SIRI 2.0) + + + + + CALLs making up VEHICLE JOURNEY [equivalent to TPEG pti15 3 stop, 15_5 not-stopping, 15-6 temporary stop route_description_type] + + + + + + + + + + Facilities available for VEHICLE JOURNEY (since SIRI 2.0) + + + + + + Facililitiy available for VEHICLE JOURNEY (since SIRI 2.0) + + + + + + + + + + + Type for information about a VEHICLE affected by an SITUATION. + + + + + Reference to a specific VEHICLE affected by an SITUATION. + + + + + Registration plate of VEHICLE + + + + + (Mobile) phone number on which the vehicle can be called + + + + + Internet protocol address of the VEHICLE in form 000.000.000.000 + + + + + Radio address of the VEHICLE + + + + + Reference to VEHICLE JOURNEY framed by the day which the VEHICLE is running. + + + + + Location where the VEHICLE was when the situation arose + + + + + Current Location of the VEHICLE + + + + + Current Accessibility assessment of vehicle. + + + + + + If a VEHICLE JOURNEY is a coupled journey, i.e. comprises several coupled BLOCK PARTs, there will be a separate delivery for each BLOCK PART and this element will indicate the vehicles that the journey part uses. + + + + + + Whether the VEHICLE is in traffic congestion. If not, present, not known. + + + + + Whether the panic alarm on the VEHICLE is activated. Default is 'false'. + + + + + Whether this is a Headway Service, that is shown as operating at a prescribed interval rather than to a fixed timetable. Default is 'false'. + + + + + + + + Type for information about a CALL affected by an SITUATION. + + + + + + + Order of visit to stop within JOURNEY PATTERN of journey. + + + + + Status of CALL TPEG 13_6 + + + + + + + + + + + + + + + + + + + + + Elements describing the arrival of a VEHICLE at a SCHEDULED STOP POINT. + + + + + + + + + + + + Elements describing the departure of a VEHICLE from a SCHEDULED STOP POINT. + + + + + + + + + + + + Type for information about a FACILITY affected by an SITUATION. (since SIRI 2.0) + + + + + + Identifier of stop point at which availability first applies. + + + + + Identifier of stop point at which availability last applies. + + + + + Name of FACILITY. + + + + + Status of Facility + + + + + + + + + Type for annotated references to a TOPOGRAPHIC PLACE. + + + + + Reference to a SITE or TOPOGRAPHIC PLACE (Locality). + + + + + Alternative identifier of SITE or TOPOGRAPHIC PLACE + + + + + Name of SITE or TOPOGRAPHIC PLACE (locality) in which stop is found. (Unbounded since SIRI 2.0) + + + + + Spatial coordinates of STOP POINT. Derivable from StopRef. + + + + + Category of TOPOGRAPHIC PLACE or SITE. + + + + + Reference to an EQUIPMENT found at SITE. + + + + + Changes to accessibility for SITE. + + + + + + + + + Type for information about the quays affected by an SITUATION. + + + + + Disruption of accessibility. + + + + + + + Type for information about the STOP PLACEs affected by an SITUATION. + + + + + + + Identifier of STOP PLACE affected by SITUATION. + + + + + Name of STOP PLACE. (Unbounded since SIRI 2.0) + + + + + Type of STOP PLACE. + + + + + Facilities available for VEHICLE JOURNEY (since SIRI 2.0) + + + + + + Facililitiy available for VEHICLE JOURNEY (since SIRI 2.0) + + + + + + + + Quays affected by SITUATION. + + + + + + Quay affected by SITUATION. + + + + + + + + PathLinks affected by SITUATION. + + + + + + + + + + Used to restrict STOP PLACEs to some lines + + + + + + + + + + + + + + + Type for information about the quays affected by an SITUATION. + + + + + + + Reference to a STOP PLACE. + + + + + Name of component. (Unbounded since SIRI 2.0) + + + + + Type of Component. + + + + + + Further qualifcation of affected part of Link projection, + + + + + Type of AccessFeature (+SIRI.20) + + + + + Facilities available for component (since SIRI 2.0) + + + + + + Facility available for VEHICLE JOURNEY (since SIRI 2.0) + + + + + + + + + + + + + Type for Information on casualties. + + + + + Number of fatalities. + + + + + Number of injured presons. + + + + + + + Values for STOP PLACE types - TPEG Pts041 and IFOPT + + + + + TPEG Pts41_0, unknown + + + + + TPEG Pts41_1, railway station + + + + + TPEG Pts41_2, underground station + + + + + IFOPT, TPEG Pts41_3, tram station + + + + + IFOPT, TPEG Pts41_4, bus station + + + + + IFOPT, TPEG Pts41_5, airport + + + + + TPEG Pts41_6, pier + + + + + IFOPT, TPEG Pts41_7, harbour port + + + + + ,IFOPT, TPEG Pts41_8, ferry stop + + + + + TPEG Pts41_9, light railway station + + + + + TPEG Pts41_10, cogwheel station + + + + + TPEG Pts41_11, funicular station + + + + + TPEG Pts41_12, ropeway station + + + + + IFOPT, coach station + + + + + IFOPT, ferry port + + + + + IFOPT, on-street bus stop + + + + + IFOPT, on-street tram stop + + + + + IFOPT, ski lift + + + + + IFOPT, other + + + + + TPEG Pts41_255, undefined STOP PLACE type + + + + + IFOPT, deprecated (SIRI 2.1), use railwayStation + + + + + IFOPT, deprecated (SIRI 2.1), use undergroundStation + + + + + + + Values for AccessibilityFeature - TPEG Pts040 and IFOPT + + + + + IFOPT, TPEG Pts40_0, unknown + + + + + TPEG Pts40_1, single step + + + + + IFOPT, TPEG Pts40_2, stairs + + + + + IFOPT, TPEG Pts40_3, escalator + + + + + IFOPT, TPEG Pts40_4, travelator / moving walkway + + + + + IFOPT, TPEG Pts40_5, lift / elevator + + + + + IFOPT, TPEG Pts40_6, ramp + + + + + TPEG Pts40_7, mind the gap + + + + + TPEG Pts40_8, tactile paving + + + + + IFOPT, series of stairs + + + + + IFOPT, shuttle + + + + + IFOPT, barrier + + + + + IFOPT, narrow entrance + + + + + IFOPT, confined space + + + + + IFOPT, queue management + + + + + IFOPT, none + + + + + IFOPT, other + + + + + TPEG Pts40_255, undefined accessibility feature type + + + + +
diff --git a/xsd/siri_model/siri_situationClassifiers.xsd b/xsd/siri_model/siri_situationClassifiers.xsd index 3a39b7a8..511ca52a 100644 --- a/xsd/siri_model/siri_situationClassifiers.xsd +++ b/xsd/siri_model/siri_situationClassifiers.xsd @@ -1,55 +1,56 @@ - - - - main schema - e-service developers - Add names - Europe - Drafted for version 1.0 Kizoom Incident Schema Nicholas Knowles, Kizoom. mailto:schemer@kizoom.org.uk - - 2008-07-05 - - - 2008-07-05 - - - 2008-10-01 - - - - 2019-09-01 - + + + 2019-09-01 + - - -

SIRI-SX is an XML schema for the exchange of structured incidents. This subschema describes calssifier codes

-
- - text/xml - http://www.w3.org/2001/XMLSchema - XML schema, W3C Recommendation 2001 - - {http://www.siri.org.uk/schema/2.0/xsd/siri_model/}/siri_situationClassifiers.xsd - [ISO 639-2/B] ENG - CEN - - - Kizoom 2000-2007, CEN 2009-2021 - - -
    -
  • Schema derived Derived from the Kizoom XTIS schema
  • -
  • Derived from the TPEG Categories schema
  • -
- - Version 2.1 - - Arts, recreation and travel, Tourism, Travel (tourism), Transport, + + +

SIRI-SX is an XML schema for the exchange of structured incidents. This subschema describes calssifier codes

+
+ + text/xml + http://www.w3.org/2001/XMLSchema + XML schema, W3C Recommendation 2001 + + {http://www.siri.org.uk/schema/2.0/xsd/siri_model/}/siri_situationClassifiers.xsd + [ISO 639-2/B] ENG + CEN + + + + Kizoom 2000-2007, CEN 2009-2021 + + +
    +
  • Schema derived Derived from the Kizoom XTIS schema
  • +
  • Derived from the TPEG Categories schema
  • +
+ + Version 2.1 + + Arts, recreation and travel, Tourism, Travel (tourism), Transport, Air transport, Airports, Ports and maritime transport, Ferries (marine), Public transport, Bus services, Coach services, Bus stops and stations, @@ -57,374 +58,374 @@ Rail transport, Railway stations and track, Train services, Underground trains, Business and industry, Transport, Air transport, Ports and maritime transport, Public transport, Rail transport, Roads and road transport - CEN TC278 WG3 SG7 - - SIRI-SX Xml Schema for PT Incidents. Classifier subschema - Standard -
-
- SIRI-SX Situation Classifiers. -
- - - - - Severity of Incident - TPEG Pti26. Default is 'normal'. - - - - - Values for TPEG Pti26 - Severity - - - - - TPEG Pti26_0, unknown - - - - - TPEG Pti26_1, very slight - - - - - TPEG Pti26_2, slight - - - - - TPEG Pti26_3, normal - - - - - TPEG Pti26_4, severe - - - - - TPEG Pti26_5, very severe - - - - - TPEG Pti26_6, no impact - - - - - TPEG Pti26_255, undefined - - - - - - - - Classification of effect on service. TPEG PTS043 ServiceStatus - - - - - Values for TPEG Pts43 ServiceStatus, with additional values from Pti013 - - - - - TPEG Pts43_0, unknown - - - - - TPEG Pts43_1, delay - - - - - TPEG Pts43_2, minor delays - - - - - TPEG Pts43_3, major delays - - - - - TPEG Pts43_4, operation time extension - - - - - TPEG Pts43_5, on time - - - - - TPEG Pts43_6, disturbance rectified - - - - - TPEG Pts43_7, change of platform - - - - - TPEG Pts43_8, line cancellation - - - - - TPEG Pts43_9, trip cancellation - - - - - TPEG Pts43_10, boarding - - - - - TPEG Pts43_11, go to gate - - - - - TPEG Pts43_12, stop cancelled - - - - - TPEG Pts43_13, stop moved - - - - - TPEG Pts43_14, stop on demand - - - - - TPEG Pts43_15, additional stop - - - - - TPEG Pts43_16, substituted stop - - - - - TPEG Pts43_17, diverted - - - - - TPEG Pts43_18, disruption - - - - - TPEG Pts43_19, limited operation - - - - - TPEG Pts43_20, discontinued operation - - - - - TPEG Pts43_21, irregular traffic - - - - - TPEG Pts43_22, wagon order changed - - - - - TPEG Pts43_23, train shortened - - - - - TPEG Pts43_24, additional ride - - - - - TPEG Pts43_25, replacement ride - - - - - TPEG Pts43_26, temporarily non-stopping - - - - - TPEG Pts43_27, temporary stopplace - - - - - TPEG Pts43_255, undefined status - - - - - TPEG Pti13_1, DEPRECATED since SIRI 2.1 - - - - - TPEG Pti13_2, DEPRECATED since SIRI 2.1 - - - - - TPEG Pti13_3, DEPRECATED since SIRI 2.1 - - - - - TPEG Pti13_5, DEPRECATED since SIRI 2.1 - - - - - TPEG Pti13_6, DEPRECATED since SIRI 2.1 - - - - - TPEG Pti13_7, DEPRECATED since SIRI 2.1 - - - - - TPEG Pti13_8, DEPRECATED since SIRI 2.1 - - - - - TPEG Pti13_10, DEPRECATED since SIRI 2.1 - - - - - TPEG Pti13_11, DEPRECATED since SIRI 2.1 - - - - - TPEG Pti13_12, DEPRECATED since SIRI 2.1 - - - - - TPEG Pti13_13, DEPRECATED since SIRI 2.1 - - - - - TPEG Pti13_14, DEPRECATED since SIRI 2.1 - - - - - TPEG Pti13_15, DEPRECATED since SIRI 2.1 - - - - - TPEG Pti13_16, DEPRECATED since SIRI 2.1 - - - - - TPEG Pti13_17, DEPRECATED since SIRI 2.1 - - - - - TPEG Pti13_18, DEPRECATED since SIRI 2.1 - - - - - TPEG Pti13_19, DEPRECATED since SIRI 2.1 - - - - - TPEG Pti13_255, DEPRECATED since SIRI 2.1 - - - - - - - - Classification of verification status - TPEG Pti032 - - - - - - - - Values for TPEG Pti032 - VerificationStatus - - - - - TPEG Pti32_0, unknown - - - - - TPEG Pti32_1, unverified - - - - - TPEG Pti32_?, verified - - - - - TPEG Pti32_?, verifiedAsDuplicate - - - - - TPEG Pti32_255 ? - - - - - - - - Classification of Predictability status. - - - - - - - - Values for Predictability Status. - - - - - - - + CEN TC278 WG3 SG7 + + SIRI-SX Xml Schema for PT Incidents. Classifier subschema + Standard + + + SIRI-SX Situation Classifiers. + + + + + + Severity of Incident - TPEG Pti26. Default is 'normal'. + + + + + Values for TPEG Pti26 - Severity + + + + + TPEG Pti26_0, unknown + + + + + TPEG Pti26_1, very slight + + + + + TPEG Pti26_2, slight + + + + + TPEG Pti26_3, normal + + + + + TPEG Pti26_4, severe + + + + + TPEG Pti26_5, very severe + + + + + TPEG Pti26_6, no impact + + + + + TPEG Pti26_255, undefined + + + + + + + + Classification of effect on service. TPEG PTS043 ServiceStatus + + + + + Values for TPEG Pts43 ServiceStatus, with additional values from Pti013 + + + + + TPEG Pts43_0, unknown + + + + + TPEG Pts43_1, delay + + + + + TPEG Pts43_2, minor delays + + + + + TPEG Pts43_3, major delays + + + + + TPEG Pts43_4, operation time extension + + + + + TPEG Pts43_5, on time + + + + + TPEG Pts43_6, disturbance rectified + + + + + TPEG Pts43_7, change of platform + + + + + TPEG Pts43_8, line cancellation + + + + + TPEG Pts43_9, trip cancellation + + + + + TPEG Pts43_10, boarding + + + + + TPEG Pts43_11, go to gate + + + + + TPEG Pts43_12, stop cancelled + + + + + TPEG Pts43_13, stop moved + + + + + TPEG Pts43_14, stop on demand + + + + + TPEG Pts43_15, additional stop + + + + + TPEG Pts43_16, substituted stop + + + + + TPEG Pts43_17, diverted + + + + + TPEG Pts43_18, disruption + + + + + TPEG Pts43_19, limited operation + + + + + TPEG Pts43_20, discontinued operation + + + + + TPEG Pts43_21, irregular traffic + + + + + TPEG Pts43_22, wagon order changed + + + + + TPEG Pts43_23, train shortened + + + + + TPEG Pts43_24, additional ride + + + + + TPEG Pts43_25, replacement ride + + + + + TPEG Pts43_26, temporarily non-stopping + + + + + TPEG Pts43_27, temporary stopplace + + + + + TPEG Pts43_255, undefined status + + + + + TPEG Pti13_1, DEPRECATED since SIRI 2.1 + + + + + TPEG Pti13_2, DEPRECATED since SIRI 2.1 + + + + + TPEG Pti13_3, DEPRECATED since SIRI 2.1 + + + + + TPEG Pti13_5, DEPRECATED since SIRI 2.1 + + + + + TPEG Pti13_6, DEPRECATED since SIRI 2.1 + + + + + TPEG Pti13_7, DEPRECATED since SIRI 2.1 + + + + + TPEG Pti13_8, DEPRECATED since SIRI 2.1 + + + + + TPEG Pti13_10, DEPRECATED since SIRI 2.1 + + + + + TPEG Pti13_11, DEPRECATED since SIRI 2.1 + + + + + TPEG Pti13_12, DEPRECATED since SIRI 2.1 + + + + + TPEG Pti13_13, DEPRECATED since SIRI 2.1 + + + + + TPEG Pti13_14, DEPRECATED since SIRI 2.1 + + + + + TPEG Pti13_15, DEPRECATED since SIRI 2.1 + + + + + TPEG Pti13_16, DEPRECATED since SIRI 2.1 + + + + + TPEG Pti13_17, DEPRECATED since SIRI 2.1 + + + + + TPEG Pti13_18, DEPRECATED since SIRI 2.1 + + + + + TPEG Pti13_19, DEPRECATED since SIRI 2.1 + + + + + TPEG Pti13_255, DEPRECATED since SIRI 2.1 + + + + + + + + Classification of verification status - TPEG Pti032 + + + + + + + + Values for TPEG Pti032 - VerificationStatus + + + + + TPEG Pti32_0, unknown + + + + + TPEG Pti32_1, unverified + + + + + TPEG Pti32_?, verified + + + + + TPEG Pti32_?, verifiedAsDuplicate + + + + + TPEG Pti32_255 ? + + + + + + + + Classification of Predictability status. + + + + + + + + Values for Predictability Status. + + + + + + +
diff --git a/xsd/siri_model/siri_situationIdentity.xsd b/xsd/siri_model/siri_situationIdentity.xsd index b5af7c73..7a9bf9f9 100644 --- a/xsd/siri_model/siri_situationIdentity.xsd +++ b/xsd/siri_model/siri_situationIdentity.xsd @@ -1,49 +1,50 @@ - - - - main schema - e-service developers - CEN TC278 WG3 SG7 Team - Europe - Drafted for version 1.0 CEN TC278 WG3 SG7 Editor Nicholas Knowles, Kizoom. mailto:schemer@siri.org.uk - - 2007-05-10 - - - 2004-10-01 - - - 2008-07-015 - - - -

SIRI is a European CEN standard for the exchange of real-time information .

-

This package defines common basic domain model identifier elements that are used in one or more SIRI fucntional service.

-
- - text/xml - http://www.w3.org/2001/XMLSchema - XML schema, W3C Recommendation 2001 - - {http://www.siri.org.uk/schema/2.0/xsd/siri_utility/}siri_situationIdentity.xsd - [ISO 639-2/B] ENG - Kizoom, 109-123 Clifton Street, London EC4A 4LD - - http://www.siri.org.uk/schema/2.0/xsd/siri_uility/siri_participant.xsd - - - Kizoom CEN, VDV, RTIG 2004-2021 - - -
    -
  • Derived from the VDV, RTIG CML and Trident standards.
  • -
- - Version 2.1 - - Arts, recreation and travel, Tourism, Travel (tourism), Transport, + + + + main schema + e-service developers + CEN TC278 WG3 SG7 Team + Europe + Drafted for version 1.0 CEN TC278 WG3 SG7 Editor Nicholas Knowles, Kizoom. mailto:schemer@siri.org.uk + + 2007-05-10 + + + 2004-10-01 + + + 2008-07-015 + + + +

SIRI is a European CEN standard for the exchange of real-time information .

+

This package defines common basic domain model identifier elements that are used in one or more SIRI fucntional service.

+
+ + text/xml + http://www.w3.org/2001/XMLSchema + XML schema, W3C Recommendation 2001 + + {http://www.siri.org.uk/schema/2.0/xsd/siri_utility/}siri_situationIdentity.xsd + [ISO 639-2/B] ENG + Kizoom, 109-123 Clifton Street, London EC4A 4LD + + http://www.siri.org.uk/schema/2.0/xsd/siri_uility/siri_participant.xsd + + + + Kizoom CEN, VDV, RTIG 2004-2021 + + +
    +
  • Derived from the VDV, RTIG CML and Trident standards.
  • +
+ + Version 2.1 + + Arts, recreation and travel, Tourism, Travel (tourism), Transport, Air transport, Airports, Ports and maritime transport, Ferries (marine), Public transport, Bus services, Coach services, Bus stops and stations, @@ -51,199 +52,199 @@ Rail transport, Railway stations and track, Train services, Underground trains, Business and industry, Transport, Air transport, Ports and maritime transport, Public transport, Rail transport, Roads and road transport - CEN TC278 WG3 SG7 - - SIRI-SX XML schema. Service Interface for Real-time Information relating to Public Transport Operations. Common SITUATION Identity elements. - Standard -
-
- SIRI-SX Situation IDentifiers. -
- - - - - - - - - - - References to a SITUATION. - - - - - - - - - Reference to a SITUATION associated with the element. - - - - - Type for reference to a SITUATION. - - - - - - Reference to a SITUATION. Elements of SITUATION identfier are expressed as atomic elements. - - - - - - - - - Reference to a SITUATION associated with the element. - - - - - Type for identifier of a SITUATION. Includes the Participant identifier and version components of the identifier. - - - - - - Type for reference to a SITUATION. Includes the Particpant identifier and version components of the identifier. - - - - - - - - - Identifier of SITUATION within a Participant. Exclude versionr. - - - - - Type for a referenceUnique identifier of a SITUATION within participant. - - - - - - - - Type for SITUATION version number if entry is update to a previous version. Unique within IncidentNumber. Monotonically increasing within IncidentNumber. Any values for classification, description, affects, effects that are present in an update replace any values on previous incidents and updates with the same identifier. Values that are not updated remain in effect. - - - - - - - - - Type for reference to a SITUATION or an update to a SITUATION. Participant ref is optional and may be supplied from context. - - - - - Unique identifier of a Country of a Participant who created SITUATION. Provides namespace for Participant If absent proided from context. - - - - - Unique identifier of a Participant. Provides namespace for SITUATION. If absent provdied from context. - - - - - Unique identifier of SITUATION within a Participant. Excludes any version number. - - - - - - - Type for reference to a SITUATION or an update to a SITUATION. Participant ref is optional and may be supplied from context. - - - - - Unique identifier of a Country of a Participant who created Update SITUATION element. Provides namespace for VersionParticipant If absent same as. - - - - - Unique identifier of a Participant. Provides namespace for SITUATION. If absent provdied from context. - - - - - Unique identifier of update version within a SITUATION Number Omit if reference to the base SITUATION. - - - - - - - - Reference to a SITUATION. Elements are retained as atomic elements. - - - - - Type for reference to a SITUATION. - - - - - Type for reference to a SITUATION or an update to a SITUATION. Participant ref is optional and may be supplied from context. - - - - - - - - Type for reference to a SITUATION or an update to a SITUATION. Participant ref is optional and may be supplied from context. - - - - - Unique identifier of a Country of a Participant who created Update SITUATION element. Provides namespace for VersionParticipant If absent same as. - - - - - Unique identifier of a Participant. Provides namespace for SITUATION. - - - - - Unique identifier of SITUATION within a Participant. Excludes any version number. - - - - - - - - - Elements Reference to a SITUATION or an update to a SITUATION. Participant ref is optional and may be supplied from context. - - - - - - - - - Type for reference to a SITUATION or an update to a SITUATION. Participant ref is optional and may be supplied from context. - - - - - Identifiers of a SITUATION or an update to a SITUATION. Participant ref is optional and may be supplied from context. - - - - + CEN TC278 WG3 SG7 +
+ SIRI-SX XML schema. Service Interface for Real-time Information relating to Public Transport Operations. Common SITUATION Identity elements. + Standard +
+
+ SIRI-SX Situation IDentifiers. +
+ + + + + + + + + + + References to a SITUATION. + + + + + + + + + Reference to a SITUATION associated with the element. + + + + + Type for reference to a SITUATION. + + + + + + Reference to a SITUATION. Elements of SITUATION identfier are expressed as atomic elements. + + + + + + + + + Reference to a SITUATION associated with the element. + + + + + Type for identifier of a SITUATION. Includes the Participant identifier and version components of the identifier. + + + + + + Type for reference to a SITUATION. Includes the Particpant identifier and version components of the identifier. + + + + + + + + + Identifier of SITUATION within a Participant. Exclude versionr. + + + + + Type for a referenceUnique identifier of a SITUATION within participant. + + + + + + + + Type for SITUATION version number if entry is update to a previous version. Unique within IncidentNumber. Monotonically increasing within IncidentNumber. Any values for classification, description, affects, effects that are present in an update replace any values on previous incidents and updates with the same identifier. Values that are not updated remain in effect. + + + + + + + + + Type for reference to a SITUATION or an update to a SITUATION. Participant ref is optional and may be supplied from context. + + + + + Unique identifier of a Country of a Participant who created SITUATION. Provides namespace for Participant If absent proided from context. + + + + + Unique identifier of a Participant. Provides namespace for SITUATION. If absent provdied from context. + + + + + Unique identifier of SITUATION within a Participant. Excludes any version number. + + + + + + + Type for reference to a SITUATION or an update to a SITUATION. Participant ref is optional and may be supplied from context. + + + + + Unique identifier of a Country of a Participant who created Update SITUATION element. Provides namespace for VersionParticipant If absent same as. + + + + + Unique identifier of a Participant. Provides namespace for SITUATION. If absent provdied from context. + + + + + Unique identifier of update version within a SITUATION Number Omit if reference to the base SITUATION. + + + + + + + + Reference to a SITUATION. Elements are retained as atomic elements. + + + + + Type for reference to a SITUATION. + + + + + Type for reference to a SITUATION or an update to a SITUATION. Participant ref is optional and may be supplied from context. + + + + + + + + Type for reference to a SITUATION or an update to a SITUATION. Participant ref is optional and may be supplied from context. + + + + + Unique identifier of a Country of a Participant who created Update SITUATION element. Provides namespace for VersionParticipant If absent same as. + + + + + Unique identifier of a Participant. Provides namespace for SITUATION. + + + + + Unique identifier of SITUATION within a Participant. Excludes any version number. + + + + + + + + + Elements Reference to a SITUATION or an update to a SITUATION. Participant ref is optional and may be supplied from context. + + + + + + + + + Type for reference to a SITUATION or an update to a SITUATION. Participant ref is optional and may be supplied from context. + + + + + Identifiers of a SITUATION or an update to a SITUATION. Participant ref is optional and may be supplied from context. + + + +
diff --git a/xsd/siri_model/siri_situationReasons.xsd b/xsd/siri_model/siri_situationReasons.xsd index fe739752..04ae1346 100644 --- a/xsd/siri_model/siri_situationReasons.xsd +++ b/xsd/siri_model/siri_situationReasons.xsd @@ -1,36 +1,36 @@ - - - - main schema - e-service developers - Add names - Europe - Drafted for version 1.0 Kizoom Incident Schema Nicholas Knowles, Kizoom. mailto:schemer@kizoom.org.uk - - 2004-09-29 - - - 2004-10-01 - - - 2005-02-14 - - - 2007-05-14 - - - 2008-07-05 - - - - 2009-03-31 - - - - 2018-11-13 - + + + 2009-03-31 + + + + 2018-11-13 + - - - 2014-06-23 - - - - 2019-09-01 - - - -

SIRI-SX is an XML schema for the exchange of structured incidents. This subschema describes reason codes.

-
- - text/xml - http://www.w3.org/2001/XMLSchema - XML schema, W3C Recommendation 2001 - - {http://www.siri.org.uk/schema/2.0/xsd/siri_model}/siri_situationReasons.xsd - [ISO 639-2/B] ENG - CEN - + + +

SIRI-SX is an XML schema for the exchange of structured incidents. This subschema describes reason codes.

+
+ + text/xml + http://www.w3.org/2001/XMLSchema + XML schema, W3C Recommendation 2001 + + {http://www.siri.org.uk/schema/2.0/xsd/siri_model}/siri_situationReasons.xsd + [ISO 639-2/B] ENG + CEN + - - Kizoom 2000-2007, CEN 2009-2021 - - -
    -
  • Schema derived from the Kizoom XTIS schema
  • -
  • Derived from the TPEG2 AlertCause schema
  • -
- - Version 2.1 - - Arts, recreation and travel, Tourism, Travel (tourism), Transport, + + + Kizoom 2000-2007, CEN 2009-2021 + + +
    +
  • Schema derived from the Kizoom XTIS schema
  • +
  • Derived from the TPEG2 AlertCause schema
  • +
+ + Version 2.1 + + Arts, recreation and travel, Tourism, Travel (tourism), Transport, Air transport, Airports, Ports and maritime transport, Ferries (marine), Public transport, Bus services, Coach services, Bus stops and stations, @@ -99,1272 +100,1272 @@ Rail transport, Railway stations and track, Train services, Underground trains, Business and industry, Transport, Air transport, Ports and maritime transport, Public transport, Rail transport, Roads and road transport - CEN TC278 WG3 SG7 - - SIRI-SX Xml Schema for PT Incidents. Reasons subschema - Standard -
-
-
- - - - Structured Classification Elements. - - - - - - DEPRECATED since SIRI 2.1 - use only AlertCause. - - - - - DEPRECATED since SIRI 2.1 - use only AlertCause. - - - - - DEPRECATED since SIRI 2.1 - use only AlertCause. - - - - - DEPRECATED since SIRI 2.1 - use only AlertCause. - - - - - DEPRECATED since SIRI 2.1 - use only AlertCause. - - - - - DEPRECATED since SIRI 2.1 - use only AlertCause. - - - - - - - DEPRECATED since SIRI 2.1 - use only AlertCause. - - - - - - - - - - - TPEG Pts38: AlertCause. - - - - - Values for TPEG Pts38 - AlertCause, plus additional values from TPEG Pti19/20/21/22 - - - - - TPEG Pts38_0, unknown - - - - - TPEG Pts38_1, security alert - - - - - TPEG Pts38_2, emergency services call - - - - - TPEG Pts38_3, police activity - - - - - TPEG Pts38_4, police order - - - - - TPEG Pts38_5, fire - - - - - TPEG Pts38_6, cable fire - - - - - TPEG Pts38_7, smoke detected on vehicle - - - - - TPEG Pts38_8, fire at the station - - - - - TPEG Pts38_9, fire run - - - - - TPEG Pts38_10, fire brigade order - - - - - TPEG Pts38_11, explosion - - - - - TPEG Pts38_12, explosion hazard - - - - - TPEG Pts38_13, bomb disposal - - - - - TPEG Pts38_14, emergency medical services - - - - - TPEG Pts38_15, emergency brake - - - - - TPEG Pts38_16, vandalism - - - - - TPEG Pts38_17, cable theft - - - - - TPEG Pts38_18, signal passed at danger - - - - - TPEG Pts38_19, station overrun - - - - - TPEG Pts38_20, passengers blocking doors - - - - - TPEG Pts38_21, defective security system - - - - - TPEG Pts38_22, overcrowded - - - - - TPEG Pts38_23, border control - - - - - TPEG Pts38_24, unattended bag - - - - - TPEG Pts38_25, telephoned threat - - - - - TPEG Pts38_26, suspect vehicle - - - - - TPEG Pts38_27, evacuation - - - - - TPEG Pts38_28, terrorist incident - - - - - TPEG Pts38_29, public disturbance - - - - - TPEG Pts38_30, technical problem - - - - - TPEG Pts38_31, vehicle failure - - - - - TPEG Pts38_32, service disruption - - - - - TPEG Pts38_33, door failure - - - - - TPEG Pts38_34, lighting failure - - - - - TPEG Pts38_35, points problem - - - - - TPEG Pts38_36, points failure - - - - - TPEG Pts38_37, signal problem - - - - - TPEG Pts38_38, signal failure - - - - - TPEG Pts38_39, overhead wire failure - - - - - TPEG Pts38_40, level crossing failure - - - - - TPEG Pts38_41, traffic management system failure - - - - - TPEG Pts38_42, engine failure - - - - - TPEG Pts38_43, break down - - - - - TPEG Pts38_44, repair work - - - - - TPEG Pts38_45, construction work - - - - - TPEG Pts38_46, maintenance work - - - - - TPEG Pts38_47, power problem - - - - - TPEG Pts38_48, track circuit - - - - - TPEG Pts38_49, swing bridge failure - - - - - TPEG Pts38_50, escalator failure - - - - - TPEG Pts38_51, lift failure - - - - - TPEG Pts38_52, gangway problem - - - - - TPEG Pts38_53, defective vehicle - - - - - TPEG Pts38_54, broken rail - - - - - TPEG Pts38_55, poor rail conditions - - - - - TPEG Pts38_56, de-icing work - - - - - TPEG Pts38_57, wheel problem - - - - - TPEG Pts38_58, route blockage - - - - - TPEG Pts38_59, congestion - - - - - TPEG Pts38_60, heavy traffic - - - - - TPEG Pts38_61, route diversion - - - - - TPEG Pts38_62, roadworks - - - - - TPEG Pts38_63, unscheduled construction work - - - - - TPEG Pts38_64, level crossing incident - - - - - TPEG Pts38_65, sewerageMaintenance - - - - - TPEG Pts38_66, road closed - - - - - TPEG Pts38_67, roadway damage - - - - - TPEG Pts38_68, bridge damage - - - - - TPEG Pts38_69, person on the line - - - - - TPEG Pts38_70, object on the line - - - - - TPEG Pts38_71, vehicle on the line - - - - - TPEG Pts38_72, animal on the line - - - - - TPEG Pts38_73, fallen tree on the line - - - - - TPEG Pts38_74, vegetation - - - - - TPEG Pts38_75, speed restrictions - - - - - TPEG Pts38_76, preceding vehicle - - - - - TPEG Pts38_77, accident - - - - - TPEG Pts38_78, near miss - - - - - TPEG Pts38_79, person hit by vehicle - - - - - TPEG Pts38_80, vehicle struck object - - - - - TPEG Pts38_81, vehicle struck animal - - - - - TPEG Pts38_82, derailment - - - - - TPEG Pts38_83, collision - - - - - TPEG Pts38_84, level crossing accident - - - - - TPEG Pts38_85, poor weather - - - - - TPEG Pts38_86, fog - - - - - TPEG Pts38_87, heavy snowfall - - - - - TPEG Pts38_88, heavy rain - - - - - TPEG Pts38_89, strong winds - - - - - TPEG Pts38_90, ice - - - - - TPEG Pts38_91, hail - - - - - TPEG Pts38_92, high temperatures - - - - - TPEG Pts38_93, flooding - - - - - TPEG Pts38_94, low water level - - - - - TPEG Pts38_95, risk of flooding - - - - - TPEG Pts38_96, high water level - - - - - TPEG Pts38_97, fallen leaves - - - - - TPEG Pts38_98, fallen tree - - - - - TPEG Pts38_99, landslide - - - - - TPEG Pts38_100, risk of landslide - - - - - TPEG Pts38_101, drifting snow - - - - - TPEG Pts38_102, blizzard conditions - - - - - TPEG Pts38_103, storm damage - - - - - TPEG Pts38_104, lightning strike - - - - - TPEG Pts38_105, rough sea - - - - - TPEG Pts38_106, high tide - - - - - TPEG Pts38_107, low tide - - - - - TPEG Pts38_108, ice drift - - - - - TPEG Pts38_109, avalanches - - - - - TPEG Pts38_110, risk of avalanches - - - - - TPEG Pts38_111, flash floods - - - - - TPEG Pts38_112, mudslide - - - - - TPEG Pts38_113, rockfalls - - - - - TPEG Pts38_114, subsidence - - - - - TPEG Pts38_115, earthquake damage - - - - - TPEG Pts38_116, grass fire - - - - - TPEG Pts38_117, wildland fire - - - - - TPEG Pts38_118, ice on railway - - - - - TPEG Pts38_119, ice on carriages - - - - - TPEG Pts38_120, special event - - - - - TPEG Pts38_121, procession - - - - - TPEG Pts38_122, demonstration - - - - - TPEG Pts38_123, industrial action - - - - - TPEG Pts38_124, staff sickness - - - - - TPEG Pts38_125, staff absence - - - - - TPEG Pts38_126, operator ceased trading - - - - - TPEG Pts38_127, previous disturbances - - - - - TPEG Pts38_128, vehicle blocking track - - - - - TPEG Pts38_129, foreign disturbances - - - - - TPEG Pts38_130, awaiting shuttle - - - - - TPEG Pts38_131, change in carriages - - - - - TPEG Pts38_132, train coupling - - - - - TPEG Pts38_133, boarding delay - - - - - TPEG Pts38_134, awaiting approach - - - - - TPEG Pts38_135, overtaking - - - - - TPEG Pts38_136, provision delay - - - - - TPEG Pts38_137, miscellaneous - - - - - TPEG Pts38_255, undefined alert cause - - - - - TPEG Pti19_1, DEPRECATED since SIRI 2.1 - - - - - TPEG Pti19_1_2, DEPRECATED since SIRI 2.1 - - - - - TPEG Pti19_1_5, DEPRECATED since SIRI 2.1 - replaced by Pts38_33, door failure - - - - - TPEG Pti19_1_7, DEPRECATED since SIRI 2.1 - - - - - TPEG Pti19_1_8, DEPRECATED since SIRI 2.1 - - - - - TPEG Pti19_1_12, DEPRECATED since SIRI 2.1 - replaced by Pts38_32, service disruption - - - - - TPEG Pti19_2, DEPRECATED since SIRI 2.1 - - - - - TPEG Pti19_3_2, DEPRECATED since SIRI 2.1 - - - - - TPEG Pti19_3_6, DEPRECATED since SIRI 2.1 - - - - - TPEG Pti19_3_7, DEPRECATED since SIRI 2.1 - - - - - TPEG Pti19_3_8, DEPRECATED since SIRI 2.1 - - - - - TPEG Pti19_3_9, DEPRECATED since SIRI 2.1 - - - - - TPEG Pti19_3_10, DEPRECATED since SIRI 2.1 - - - - - TPEG Pti19_3_13, DEPRECATED since SIRI 2.1 - - - - - TPEG Pti19_3_16, DEPRECATED since SIRI 2.1 - - - - - TPEG Pti19_4_1, DEPRECATED since SIRI 2.1 - - - - - TPEG Pti19_5_1, DEPRECATED since SIRI 2.1 - - - - - TPEG Pti19_5_2, DEPRECATED since SIRI 2.1 - - - - - TPEG Pti19_5_3, DEPRECATED since SIRI 2.1 - - - - - TPEG Pti19_5_4, DEPRECATED since SIRI 2.1 - - - - - TPEG Pti19_5_5, DEPRECATED since SIRI 2.1 - - - - - TPEG Pti19_6_1, DEPRECATED since SIRI 2.1 - - - - - TPEG Pti19_6_2, DEPRECATED since SIRI 2.1 - - - - - TPEG Pti19_6_3, DEPRECATED since SIRI 2.1 - replaced by Pts38_79, person hit by vehicle - - - - - TPEG Pti19_6_4, DEPRECATED since SIRI 2.1 - - - - - TPEG Pti19_6_5, DEPRECATED since SIRI 2.1 - replaced by Pts38_14, emergency medical services - - - - - TPEG Pti19_8, DEPRECATED since SIRI 2.1 - - - - - TPEG Pti19_10, DEPRECATED since SIRI 2.1 - - - - - TPEG Pti19_11, DEPRECATED since SIRI 2.1 - - - - - TPEG Pti19_14, DEPRECATED since SIRI 2.1 - - - - - TPEG Pti19_15_1, DEPRECATED since SIRI 2.1 - replaced by Pts38_23, border control - - - - - TPEG Pti19_15_2, DEPRECATED since SIRI 2.1 - - - - - TPEG Pti19_18_1, DEPRECATED since SIRI 2.1 - replaced by Pts38_64, level crossing blocked - - - - - TPEG Pti19_19_3, DEPRECATED since SIRI 2.1 - replaced by Pts38_81, vehicle struck animal - - - - - TPEG Pti19_19_4, DEPRECATED since SIRI 2.1 - replaced by Pts38_80, vehicle struck object - - - - - TPEG Pti19_23_2, DEPRECATED since SIRI 2.1 - - - - - TPEG Pti19_23_3, DEPRECATED since SIRI 2.1 - - - - - TPEG Pti19_23_4, DEPRECATED since SIRI 2.1 - - - - - TPEG Pti19_24_1, DEPRECATED since SIRI 2.1 - - - - - TPEG Pti19_24_5, DEPRECATED since SIRI 2.1 - - - - - TPEG Pti19_24_6, DEPRECATED since SIRI 2.1 - - - - - TPEG Pti19_24_7, DEPRECATED since SIRI 2.1 - - - - - TPEG Pti19_25, DEPRECATED since SIRI 2.1 - replaced by Pts38_68, bridge damage - - - - - TPEG Pti19_25_1, DEPRECATED since SIRI 2.1 - - - - - TPEG Pti19_26, DEPRECATED since SIRI 2.1 - - - - - TPEG Pti19_255, DEPRECATED since SIRI 2.1 - - - - - TPEG Pti19_255_1, DEPRECATED since SIRI 2.1 - - - - - TPEG Pti19_255_2, DEPRECATED since SIRI 2.1 - - - - - TPEG Pti19_255, DEPRECATED since SIRI 2.1 - replaced by Pts38_255, undefined alert cause - - - - - TPEG Pti20_1_1, DEPRECATED since SIRI 2.1 - - - - - TPEG Pti20_1_2, DEPRECATED since SIRI 2.1 - - - - - TPEG Pti20_3, DEPRECATED since SIRI 2.1 - - - - - TPEG Pti20_4, DEPRECATED since SIRI 2.1 - - - - - TPEG Pti20_5_1, DEPRECATED since SIRI 2.1 - - - - - TPEG Pti20_6, DEPRECATED since SIRI 2.1 - - - - - TPEG Pti20_255, DEPRECATED since SIRI 2.1 - replaced by Pts38_255, undefined alert cause - - - - - TPEG Pti21_3_1, DEPRECATED since SIRI 2.1 - - - - - TPEG Pti21_4_1, DEPRECATED since SIRI 2.1 - - - - - TPEG Pti21_6_1, DEPRECATED since SIRI 2.1 - - - - - TPEG Pti21_6_2, DEPRECATED since SIRI 2.1 - replaced by Pts38_53, defective vehicle - - - - - TPEG Pti21_8_3, DEPRECATED since SIRI 2.1 - - - - - TPEG Pti21_8_4, DEPRECATED since SIRI 2.1 - - - - - TPEG Pti21_8_5, DEPRECATED since SIRI 2.1 - - - - - TPEG Pti21_8_6, DEPRECATED since SIRI 2.1 - - - - - TPEG Pti21_8_7, DEPRECATED since SIRI 2.1 - - - - - TPEG Pti21_8_8, DEPRECATED since SIRI 2.1 - - - - - TPEG Pti21_8_9, DEPRECATED since SIRI 2.1 - - - - - TPEG Pti21_11_1, DEPRECATED since SIRI 2.1 - - - - - TPEG Pti21_11_2, DEPRECATED since SIRI 2.1 - - - - - TPEG Pti21_13, DEPRECATED since SIRI 2.1 - - - - - TPEG Pti21_18, DEPRECATED since SIRI 2.1 - - - - - TPEG Pti21_19, DEPRECATED since SIRI 2.1 - - - - - TPEG Pti21_21_1, DEPRECATED since SIRI 2.1 - - - - - TPEG Pti21_22, DEPRECATED since SIRI 2.1 - - - - - TPEG Pti21_255, DEPRECATED since SIRI 2.1 - replaced by Pts38_255, undefined alert cause - - - - - TPEG Pti22_5_1, DEPRECATED since SIRI 2.1 - - - - - TPEG Pti22_6, DEPRECATED since SIRI 2.1 - - - - - TPEG Pti22_9_1, DEPRECATED since SIRI 2.1 - - - - - TPEG Pti22_9_3, DEPRECATED since SIRI 2.1 - - - - - TPEG Pti22_10, DEPRECATED since SIRI 2.1 - - - - - TPEG Pti22_11_1, DEPRECATED since SIRI 2.1 - - - - - TPEG Pti22_14, DEPRECATED since SIRI 2.1 - - - - - TPEG Pti22_255_2, DEPRECATED since SIRI 2.1 - - - - - TPEG Pti22_255, DEPRECATED since SIRI 2.1 - replaced by Pts38_255, undefined alert cause - - - - - - See also TPEG Pts38_8 value 'fireAtStation'. - - - - - See also TPEG Pts38_43 value 'breakDown'. - - - - - See also TPEG Pts38_64 value 'levelCrossingIncident'. - - - - - See also TPEG Pts38_87 value 'heavySnowFall'. - - - - - See also TPEG Pts38_130 value 'awaitingShuttle'. - - - - - See also TPEG Pts38_134 value 'awaitingApproach'. - - - - - - - - DEPRECATED since SIRI 2.1 (TPEG Pti18_0 - unknown event reason). - - - - - - DEPRECATED since SIRI 2.1 (TPEG Pti18_255 - undefined event reason). - - - - - - DEPRECATED and changed to nmtoken since SIRI 2.1 (TPEG Pti19 - Miscellaneous Event Reason) - - - - - DEPRECATED and changed to nmtoken since SIRI 2.1 (TPEG Pti19 - Miscellaneous Event Reason) - - - - - DEPRECATED and changed to nmtoken since SIRI 2.1 (TPEG Pti20 - Personnel Event Reason) - - - - - DEPRECATED and changed to nmtoken since SIRI 2.1 (TPEG Pti20 - Personnel Event Reason) - - - - - DEPRECATED and changed to nmtoken since SIRI 2.1 (TPEG Pti21 - Equipment Event Reason) - - - - - DEPRECATED and changed to nmtoken since SIRI 2.1 (TPEG Pti21 - Equipment Event Reason) - - - - - DEPRECATED and changed to nmtoken since SIRI 2.1 (TPEG Pti22 - Environment Event Reason) - - - - - DEPRECATED and changed to nmtoken since SIRI 2.1 (TPEG Pti22 - Environment Event Reason) - - -
\ No newline at end of file + CEN TC278 WG3 SG7 + + SIRI-SX Xml Schema for PT Incidents. Reasons subschema + Standard + + + + + + + Structured Classification Elements. + + + + + + DEPRECATED since SIRI 2.1 - use only AlertCause. + + + + + DEPRECATED since SIRI 2.1 - use only AlertCause. + + + + + DEPRECATED since SIRI 2.1 - use only AlertCause. + + + + + DEPRECATED since SIRI 2.1 - use only AlertCause. + + + + + DEPRECATED since SIRI 2.1 - use only AlertCause. + + + + + DEPRECATED since SIRI 2.1 - use only AlertCause. + + + + + + + DEPRECATED since SIRI 2.1 - use only AlertCause. + + + + + + + + + + + TPEG Pts38: AlertCause. + + + + + Values for TPEG Pts38 - AlertCause, plus additional values from TPEG Pti19/20/21/22 + + + + + TPEG Pts38_0, unknown + + + + + TPEG Pts38_1, security alert + + + + + TPEG Pts38_2, emergency services call + + + + + TPEG Pts38_3, police activity + + + + + TPEG Pts38_4, police order + + + + + TPEG Pts38_5, fire + + + + + TPEG Pts38_6, cable fire + + + + + TPEG Pts38_7, smoke detected on vehicle + + + + + TPEG Pts38_8, fire at the station + + + + + TPEG Pts38_9, fire run + + + + + TPEG Pts38_10, fire brigade order + + + + + TPEG Pts38_11, explosion + + + + + TPEG Pts38_12, explosion hazard + + + + + TPEG Pts38_13, bomb disposal + + + + + TPEG Pts38_14, emergency medical services + + + + + TPEG Pts38_15, emergency brake + + + + + TPEG Pts38_16, vandalism + + + + + TPEG Pts38_17, cable theft + + + + + TPEG Pts38_18, signal passed at danger + + + + + TPEG Pts38_19, station overrun + + + + + TPEG Pts38_20, passengers blocking doors + + + + + TPEG Pts38_21, defective security system + + + + + TPEG Pts38_22, overcrowded + + + + + TPEG Pts38_23, border control + + + + + TPEG Pts38_24, unattended bag + + + + + TPEG Pts38_25, telephoned threat + + + + + TPEG Pts38_26, suspect vehicle + + + + + TPEG Pts38_27, evacuation + + + + + TPEG Pts38_28, terrorist incident + + + + + TPEG Pts38_29, public disturbance + + + + + TPEG Pts38_30, technical problem + + + + + TPEG Pts38_31, vehicle failure + + + + + TPEG Pts38_32, service disruption + + + + + TPEG Pts38_33, door failure + + + + + TPEG Pts38_34, lighting failure + + + + + TPEG Pts38_35, points problem + + + + + TPEG Pts38_36, points failure + + + + + TPEG Pts38_37, signal problem + + + + + TPEG Pts38_38, signal failure + + + + + TPEG Pts38_39, overhead wire failure + + + + + TPEG Pts38_40, level crossing failure + + + + + TPEG Pts38_41, traffic management system failure + + + + + TPEG Pts38_42, engine failure + + + + + TPEG Pts38_43, break down + + + + + TPEG Pts38_44, repair work + + + + + TPEG Pts38_45, construction work + + + + + TPEG Pts38_46, maintenance work + + + + + TPEG Pts38_47, power problem + + + + + TPEG Pts38_48, track circuit + + + + + TPEG Pts38_49, swing bridge failure + + + + + TPEG Pts38_50, escalator failure + + + + + TPEG Pts38_51, lift failure + + + + + TPEG Pts38_52, gangway problem + + + + + TPEG Pts38_53, defective vehicle + + + + + TPEG Pts38_54, broken rail + + + + + TPEG Pts38_55, poor rail conditions + + + + + TPEG Pts38_56, de-icing work + + + + + TPEG Pts38_57, wheel problem + + + + + TPEG Pts38_58, route blockage + + + + + TPEG Pts38_59, congestion + + + + + TPEG Pts38_60, heavy traffic + + + + + TPEG Pts38_61, route diversion + + + + + TPEG Pts38_62, roadworks + + + + + TPEG Pts38_63, unscheduled construction work + + + + + TPEG Pts38_64, level crossing incident + + + + + TPEG Pts38_65, sewerageMaintenance + + + + + TPEG Pts38_66, road closed + + + + + TPEG Pts38_67, roadway damage + + + + + TPEG Pts38_68, bridge damage + + + + + TPEG Pts38_69, person on the line + + + + + TPEG Pts38_70, object on the line + + + + + TPEG Pts38_71, vehicle on the line + + + + + TPEG Pts38_72, animal on the line + + + + + TPEG Pts38_73, fallen tree on the line + + + + + TPEG Pts38_74, vegetation + + + + + TPEG Pts38_75, speed restrictions + + + + + TPEG Pts38_76, preceding vehicle + + + + + TPEG Pts38_77, accident + + + + + TPEG Pts38_78, near miss + + + + + TPEG Pts38_79, person hit by vehicle + + + + + TPEG Pts38_80, vehicle struck object + + + + + TPEG Pts38_81, vehicle struck animal + + + + + TPEG Pts38_82, derailment + + + + + TPEG Pts38_83, collision + + + + + TPEG Pts38_84, level crossing accident + + + + + TPEG Pts38_85, poor weather + + + + + TPEG Pts38_86, fog + + + + + TPEG Pts38_87, heavy snowfall + + + + + TPEG Pts38_88, heavy rain + + + + + TPEG Pts38_89, strong winds + + + + + TPEG Pts38_90, ice + + + + + TPEG Pts38_91, hail + + + + + TPEG Pts38_92, high temperatures + + + + + TPEG Pts38_93, flooding + + + + + TPEG Pts38_94, low water level + + + + + TPEG Pts38_95, risk of flooding + + + + + TPEG Pts38_96, high water level + + + + + TPEG Pts38_97, fallen leaves + + + + + TPEG Pts38_98, fallen tree + + + + + TPEG Pts38_99, landslide + + + + + TPEG Pts38_100, risk of landslide + + + + + TPEG Pts38_101, drifting snow + + + + + TPEG Pts38_102, blizzard conditions + + + + + TPEG Pts38_103, storm damage + + + + + TPEG Pts38_104, lightning strike + + + + + TPEG Pts38_105, rough sea + + + + + TPEG Pts38_106, high tide + + + + + TPEG Pts38_107, low tide + + + + + TPEG Pts38_108, ice drift + + + + + TPEG Pts38_109, avalanches + + + + + TPEG Pts38_110, risk of avalanches + + + + + TPEG Pts38_111, flash floods + + + + + TPEG Pts38_112, mudslide + + + + + TPEG Pts38_113, rockfalls + + + + + TPEG Pts38_114, subsidence + + + + + TPEG Pts38_115, earthquake damage + + + + + TPEG Pts38_116, grass fire + + + + + TPEG Pts38_117, wildland fire + + + + + TPEG Pts38_118, ice on railway + + + + + TPEG Pts38_119, ice on carriages + + + + + TPEG Pts38_120, special event + + + + + TPEG Pts38_121, procession + + + + + TPEG Pts38_122, demonstration + + + + + TPEG Pts38_123, industrial action + + + + + TPEG Pts38_124, staff sickness + + + + + TPEG Pts38_125, staff absence + + + + + TPEG Pts38_126, operator ceased trading + + + + + TPEG Pts38_127, previous disturbances + + + + + TPEG Pts38_128, vehicle blocking track + + + + + TPEG Pts38_129, foreign disturbances + + + + + TPEG Pts38_130, awaiting shuttle + + + + + TPEG Pts38_131, change in carriages + + + + + TPEG Pts38_132, train coupling + + + + + TPEG Pts38_133, boarding delay + + + + + TPEG Pts38_134, awaiting approach + + + + + TPEG Pts38_135, overtaking + + + + + TPEG Pts38_136, provision delay + + + + + TPEG Pts38_137, miscellaneous + + + + + TPEG Pts38_255, undefined alert cause + + + + + TPEG Pti19_1, DEPRECATED since SIRI 2.1 + + + + + TPEG Pti19_1_2, DEPRECATED since SIRI 2.1 + + + + + TPEG Pti19_1_5, DEPRECATED since SIRI 2.1 - replaced by Pts38_33, door failure + + + + + TPEG Pti19_1_7, DEPRECATED since SIRI 2.1 + + + + + TPEG Pti19_1_8, DEPRECATED since SIRI 2.1 + + + + + TPEG Pti19_1_12, DEPRECATED since SIRI 2.1 - replaced by Pts38_32, service disruption + + + + + TPEG Pti19_2, DEPRECATED since SIRI 2.1 + + + + + TPEG Pti19_3_2, DEPRECATED since SIRI 2.1 + + + + + TPEG Pti19_3_6, DEPRECATED since SIRI 2.1 + + + + + TPEG Pti19_3_7, DEPRECATED since SIRI 2.1 + + + + + TPEG Pti19_3_8, DEPRECATED since SIRI 2.1 + + + + + TPEG Pti19_3_9, DEPRECATED since SIRI 2.1 + + + + + TPEG Pti19_3_10, DEPRECATED since SIRI 2.1 + + + + + TPEG Pti19_3_13, DEPRECATED since SIRI 2.1 + + + + + TPEG Pti19_3_16, DEPRECATED since SIRI 2.1 + + + + + TPEG Pti19_4_1, DEPRECATED since SIRI 2.1 + + + + + TPEG Pti19_5_1, DEPRECATED since SIRI 2.1 + + + + + TPEG Pti19_5_2, DEPRECATED since SIRI 2.1 + + + + + TPEG Pti19_5_3, DEPRECATED since SIRI 2.1 + + + + + TPEG Pti19_5_4, DEPRECATED since SIRI 2.1 + + + + + TPEG Pti19_5_5, DEPRECATED since SIRI 2.1 + + + + + TPEG Pti19_6_1, DEPRECATED since SIRI 2.1 + + + + + TPEG Pti19_6_2, DEPRECATED since SIRI 2.1 + + + + + TPEG Pti19_6_3, DEPRECATED since SIRI 2.1 - replaced by Pts38_79, person hit by vehicle + + + + + TPEG Pti19_6_4, DEPRECATED since SIRI 2.1 + + + + + TPEG Pti19_6_5, DEPRECATED since SIRI 2.1 - replaced by Pts38_14, emergency medical services + + + + + TPEG Pti19_8, DEPRECATED since SIRI 2.1 + + + + + TPEG Pti19_10, DEPRECATED since SIRI 2.1 + + + + + TPEG Pti19_11, DEPRECATED since SIRI 2.1 + + + + + TPEG Pti19_14, DEPRECATED since SIRI 2.1 + + + + + TPEG Pti19_15_1, DEPRECATED since SIRI 2.1 - replaced by Pts38_23, border control + + + + + TPEG Pti19_15_2, DEPRECATED since SIRI 2.1 + + + + + TPEG Pti19_18_1, DEPRECATED since SIRI 2.1 - replaced by Pts38_64, level crossing blocked + + + + + TPEG Pti19_19_3, DEPRECATED since SIRI 2.1 - replaced by Pts38_81, vehicle struck animal + + + + + TPEG Pti19_19_4, DEPRECATED since SIRI 2.1 - replaced by Pts38_80, vehicle struck object + + + + + TPEG Pti19_23_2, DEPRECATED since SIRI 2.1 + + + + + TPEG Pti19_23_3, DEPRECATED since SIRI 2.1 + + + + + TPEG Pti19_23_4, DEPRECATED since SIRI 2.1 + + + + + TPEG Pti19_24_1, DEPRECATED since SIRI 2.1 + + + + + TPEG Pti19_24_5, DEPRECATED since SIRI 2.1 + + + + + TPEG Pti19_24_6, DEPRECATED since SIRI 2.1 + + + + + TPEG Pti19_24_7, DEPRECATED since SIRI 2.1 + + + + + TPEG Pti19_25, DEPRECATED since SIRI 2.1 - replaced by Pts38_68, bridge damage + + + + + TPEG Pti19_25_1, DEPRECATED since SIRI 2.1 + + + + + TPEG Pti19_26, DEPRECATED since SIRI 2.1 + + + + + TPEG Pti19_255, DEPRECATED since SIRI 2.1 + + + + + TPEG Pti19_255_1, DEPRECATED since SIRI 2.1 + + + + + TPEG Pti19_255_2, DEPRECATED since SIRI 2.1 + + + + + TPEG Pti19_255, DEPRECATED since SIRI 2.1 - replaced by Pts38_255, undefined alert cause + + + + + TPEG Pti20_1_1, DEPRECATED since SIRI 2.1 + + + + + TPEG Pti20_1_2, DEPRECATED since SIRI 2.1 + + + + + TPEG Pti20_3, DEPRECATED since SIRI 2.1 + + + + + TPEG Pti20_4, DEPRECATED since SIRI 2.1 + + + + + TPEG Pti20_5_1, DEPRECATED since SIRI 2.1 + + + + + TPEG Pti20_6, DEPRECATED since SIRI 2.1 + + + + + TPEG Pti20_255, DEPRECATED since SIRI 2.1 - replaced by Pts38_255, undefined alert cause + + + + + TPEG Pti21_3_1, DEPRECATED since SIRI 2.1 + + + + + TPEG Pti21_4_1, DEPRECATED since SIRI 2.1 + + + + + TPEG Pti21_6_1, DEPRECATED since SIRI 2.1 + + + + + TPEG Pti21_6_2, DEPRECATED since SIRI 2.1 - replaced by Pts38_53, defective vehicle + + + + + TPEG Pti21_8_3, DEPRECATED since SIRI 2.1 + + + + + TPEG Pti21_8_4, DEPRECATED since SIRI 2.1 + + + + + TPEG Pti21_8_5, DEPRECATED since SIRI 2.1 + + + + + TPEG Pti21_8_6, DEPRECATED since SIRI 2.1 + + + + + TPEG Pti21_8_7, DEPRECATED since SIRI 2.1 + + + + + TPEG Pti21_8_8, DEPRECATED since SIRI 2.1 + + + + + TPEG Pti21_8_9, DEPRECATED since SIRI 2.1 + + + + + TPEG Pti21_11_1, DEPRECATED since SIRI 2.1 + + + + + TPEG Pti21_11_2, DEPRECATED since SIRI 2.1 + + + + + TPEG Pti21_13, DEPRECATED since SIRI 2.1 + + + + + TPEG Pti21_18, DEPRECATED since SIRI 2.1 + + + + + TPEG Pti21_19, DEPRECATED since SIRI 2.1 + + + + + TPEG Pti21_21_1, DEPRECATED since SIRI 2.1 + + + + + TPEG Pti21_22, DEPRECATED since SIRI 2.1 + + + + + TPEG Pti21_255, DEPRECATED since SIRI 2.1 - replaced by Pts38_255, undefined alert cause + + + + + TPEG Pti22_5_1, DEPRECATED since SIRI 2.1 + + + + + TPEG Pti22_6, DEPRECATED since SIRI 2.1 + + + + + TPEG Pti22_9_1, DEPRECATED since SIRI 2.1 + + + + + TPEG Pti22_9_3, DEPRECATED since SIRI 2.1 + + + + + TPEG Pti22_10, DEPRECATED since SIRI 2.1 + + + + + TPEG Pti22_11_1, DEPRECATED since SIRI 2.1 + + + + + TPEG Pti22_14, DEPRECATED since SIRI 2.1 + + + + + TPEG Pti22_255_2, DEPRECATED since SIRI 2.1 + + + + + TPEG Pti22_255, DEPRECATED since SIRI 2.1 - replaced by Pts38_255, undefined alert cause + + + + + + See also TPEG Pts38_8 value 'fireAtStation'. + + + + + See also TPEG Pts38_43 value 'breakDown'. + + + + + See also TPEG Pts38_64 value 'levelCrossingIncident'. + + + + + See also TPEG Pts38_87 value 'heavySnowFall'. + + + + + See also TPEG Pts38_130 value 'awaitingShuttle'. + + + + + See also TPEG Pts38_134 value 'awaitingApproach'. + + + + + + + + DEPRECATED since SIRI 2.1 (TPEG Pti18_0 - unknown event reason). + + + + + + DEPRECATED since SIRI 2.1 (TPEG Pti18_255 - undefined event reason). + + + + + + DEPRECATED and changed to nmtoken since SIRI 2.1 (TPEG Pti19 - Miscellaneous Event Reason) + + + + + DEPRECATED and changed to nmtoken since SIRI 2.1 (TPEG Pti19 - Miscellaneous Event Reason) + + + + + DEPRECATED and changed to nmtoken since SIRI 2.1 (TPEG Pti20 - Personnel Event Reason) + + + + + DEPRECATED and changed to nmtoken since SIRI 2.1 (TPEG Pti20 - Personnel Event Reason) + + + + + DEPRECATED and changed to nmtoken since SIRI 2.1 (TPEG Pti21 - Equipment Event Reason) + + + + + DEPRECATED and changed to nmtoken since SIRI 2.1 (TPEG Pti21 - Equipment Event Reason) + + + + + DEPRECATED and changed to nmtoken since SIRI 2.1 (TPEG Pti22 - Environment Event Reason) + + + + + DEPRECATED and changed to nmtoken since SIRI 2.1 (TPEG Pti22 - Environment Event Reason) + + + diff --git a/xsd/siri_model/siri_situationServiceTypes.xsd b/xsd/siri_model/siri_situationServiceTypes.xsd index d4623be5..7c8c96af 100644 --- a/xsd/siri_model/siri_situationServiceTypes.xsd +++ b/xsd/siri_model/siri_situationServiceTypes.xsd @@ -1,58 +1,59 @@ - - - - main schema - e-service developers - Add names - Europe - Drafted for version 1.0 Kizoom Incident Schema Nicholas Knowles, Kizoom. mailto:schemer@kizoom.org.uk - - 2004-09-29 - - - 2004-10-01 - - - 2007-05-14 - - - 2007-05-14 - - - - 2020-01-10 - - - -

SIRI-SX is an XML schema for the exchange of structured incidents. This subschema describes service types.

-
- - text/xml - http://www.w3.org/2001/XMLSchema - XML schema, W3C Recommendation 2001 - - {http://www.siri.org.uk/standards/siri/schema/2.0/xsd/siri_model/}siri_situationServiceTypes.xsd - [ISO 639-2/B] ENG - CEN - + + +

SIRI-SX is an XML schema for the exchange of structured incidents. This subschema describes service types.

+
+ + text/xml + http://www.w3.org/2001/XMLSchema + XML schema, W3C Recommendation 2001 + + {http://www.siri.org.uk/standards/siri/schema/2.0/xsd/siri_model/}siri_situationServiceTypes.xsd + [ISO 639-2/B] ENG + CEN + - - Kizoom 2000-2007, CEN 2009-2021 - - -
    -
  • Schema derived Derived from the Kizoom XTIS schema
  • -
  • Derived from the TPEG2 PTS schemas
  • -
- - Version 2.1 - - Arts, recreation and travel, Tourism, Travel (tourism), Transport, + + + Kizoom 2000-2007, CEN 2009-2021 + + +
    +
  • Schema derived Derived from the Kizoom XTIS schema
  • +
  • Derived from the TPEG2 PTS schemas
  • +
+ + Version 2.1 + + Arts, recreation and travel, Tourism, Travel (tourism), Transport, Air transport, Airports, Ports and maritime transport, Ferries (marine), Public transport, Bus services, Coach services, Bus stops and stations, @@ -60,580 +61,580 @@ Rail transport, Railway stations and track, Train services, Underground trains, Business and industry, Transport, Air transport, Ports and maritime transport, Public transport, Rail transport, Roads and road transport - CEN TC278 WG3 SG7 - - Xml Schema for PT Incidents. Service subschema - Standard -
-
-
- - - - - Scope of incident - TPEG Pti27 ReportType - - - - - Values for TPEG Pti27 - ReportType - - - - - TPEG Pti27_0, unknown - - - - - TPEG Pti27_1, incident - - - - - TPEG Pti27_1_1, general - - - - - TPEG Pti27_1_2, operator - - - - - TPEG Pti27_1_3, network - - - - - TPEG Pti27_2, station terminal - - - - - TPEG Pti27_2_1, stoppoint - - - - - TPEG Pti27_2_2, connection link - - - - - TPEG Pti27_2_3, point - - - - - TPEG Pti27_3, route - - - - - TPEG Pti27_4, individual service - - - - - TPEG Pti27_255, undefined type - - - - - - - - Status of a SERVICE JOURNEY INTERCHANGE - TPEG Pti31 InterchangeStatus - - - - - Values for TPEG Pti31 - InterchangeStatus - - - - - TPEG Pti31_0, unknown - - - - - TPEG Pti31_1, connection - - - - - TPEG Pti31_2, replacement - - - - - TPEG Pti31_3, alternative - - - - - TPEG Pti31_4, connection not held - - - - - TPEG Pti31_5, connection held - - - - - TPEG Pti31_6, status of connection undecided - - - - - TPEG Pti31_255, undefined cross reference information - - - - - Interchange is planned but was updated as a result of changes in the QUAYs or arrival/departure times. Can be used if the status is a combination of the other values. (since SIRI 2.1) - - - - - An important function of connection protection is the ability to hold back a distributor VEHICLE (i.e. prolonged waiting) to allow passengers to transfer from delayed feeders. + CEN TC278 WG3 SG7 + + Xml Schema for PT Incidents. Service subschema + Standard + + + + + + + + Scope of incident - TPEG Pti27 ReportType + + + + + Values for TPEG Pti27 - ReportType + + + + + TPEG Pti27_0, unknown + + + + + TPEG Pti27_1, incident + + + + + TPEG Pti27_1_1, general + + + + + TPEG Pti27_1_2, operator + + + + + TPEG Pti27_1_3, network + + + + + TPEG Pti27_2, station terminal + + + + + TPEG Pti27_2_1, stoppoint + + + + + TPEG Pti27_2_2, connection link + + + + + TPEG Pti27_2_3, point + + + + + TPEG Pti27_3, route + + + + + TPEG Pti27_4, individual service + + + + + TPEG Pti27_255, undefined type + + + + + + + + Status of a SERVICE JOURNEY INTERCHANGE - TPEG Pti31 InterchangeStatus + + + + + Values for TPEG Pti31 - InterchangeStatus + + + + + TPEG Pti31_0, unknown + + + + + TPEG Pti31_1, connection + + + + + TPEG Pti31_2, replacement + + + + + TPEG Pti31_3, alternative + + + + + TPEG Pti31_4, connection not held + + + + + TPEG Pti31_5, connection held + + + + + TPEG Pti31_6, status of connection undecided + + + + + TPEG Pti31_255, undefined cross reference information + + + + + Interchange is planned but was updated as a result of changes in the QUAYs or arrival/departure times. Can be used if the status is a combination of the other values. (since SIRI 2.1) + + + + + An important function of connection protection is the ability to hold back a distributor VEHICLE (i.e. prolonged waiting) to allow passengers to transfer from delayed feeders. To achieve this a distributorWaitProlonged status shall be communicated back to the feeder VEHICLEs to inform the passengers about the new departure time of the distributor or even a willWait guarantee. (since SIRI 2.1) - - - - - Used to provide the passengers with information about a new departure platform of the distributor VEHICLE if the distributor changes its planned stopping position. (since SIRI 2.1) - - - - - Interchange is an addition to the plan. (since SIRI 2.1) - - - - - Interchange is a cancellation of an interchange in the plan. (since SIRI 2.1) - - - - - Loss of the inbound connection indicates the cancellation of the visit (of the FeederJourney) to the FeederArrivalStop, or a severely delayed arrival. This can lead to the distributor VEHICLE abandoning the connection. + + + + + Used to provide the passengers with information about a new departure platform of the distributor VEHICLE if the distributor changes its planned stopping position. (since SIRI 2.1) + + + + + Interchange is an addition to the plan. (since SIRI 2.1) + + + + + Interchange is a cancellation of an interchange in the plan. (since SIRI 2.1) + + + + + Loss of the inbound connection indicates the cancellation of the visit (of the FeederJourney) to the FeederArrivalStop, or a severely delayed arrival. This can lead to the distributor VEHICLE abandoning the connection. Reasons for the loss of a feeder include (but are not limited to) the cancellation of the feeder VEHICLE, diversion/rerouting of the feeder VEHICLE, disruption of a line section or journey part of the feeder VEHICLE etc. (since SIRI 2.1) - - - - - Indicates the loss of an outbound connection, i.e., is used to signal the cancellation of the onward connection to the passengers in the feeder VEHICLEs. (since SIRI 2.1) - - - - - DEPRECATED since SIRI 2.1 - use statusOfConnectionUndecided instead - - - - - - - - Ticket restrictions - TPEG Pti025 - - - - - Values for TPEG Pti025 - TicketRestrictionType - - - - - TPEG Pti25_0, unknown - - - - - TPEG Pti25_1, all ticket classes valid - - - - - TPEG Pti25_2, full fare only - - - - - TPEG Pti25_3, certain tickets only - - - - - TPEG Pti25_4, ticket with reservation - - - - - TPEG Pti25_5, special fare - - - - - TPEG Pti25_6, only tickets of specified operator - - - - - TPEG Pti25_7, no restrictions - - - - - TPEG Pti25_8, no off-peak tickets - - - - - TPEG Pti25_9, no weekend return tickets - - - - - TPEG Pti25_10, no reduced fare tickets - - - - - TPEG Pti25_255, unknown ticket restriction - - - - - - - - Booking Status - TPEG Pti024. - - - - - Values for Values for TPEG Pti024 - BookingStatus - - - - - TPEG Pti24_0, unknown - - - - - TPEG Pti24_1, available - - - - - TPEG Pti24_2, limited - - - - - TPEG Pti24_3, very limited - - - - - TPEG Pti24_4, full - - - - - TPEG Pti24_5, waiting list - - - - - TPEG Pti24_6, no booking required - - - - - TPEG Pti24_7, booking is required - - - - - TPEG Pti24_8, booking is optional - - - - - TPEG Pti24_255, undefined booking information - - - - - - - - STOP POINT type - TPEG Pts017, ServiceDeliveryPointType - - - - - Values for TPEG Pts017 - ServiceDeliveryPointType - - - - - TPEG Pts17_0, unknown - - - - - TPEG Pts17_1, platform number - - - - - TPEG Pts17_2, terminal gate - - - - - TPEG Pts17_3, ferry berth - - - - - TPEG Pts17_4, harbour pier - - - - - TPEG Pts17_5, unknown - - - - - TPEG Pts17_6, bus stop - - - - - TPEG Pts17_255, undefined service delivery point type - - - - - DEPRECATED since SIRI 2.1 - use undefinedStopPointType - - - - - - - - Type for ROUTE POINT. - - - - - Values for ROUTE POINT type that correspond to TPEG Pts44: StopPlaceUsage (Pti15: deprecated since SIRI 2.1). - - - - - TPEG Pti15_0, Pts44_0, unknown - - - - - TPEG Pts44_1, origin - - - - - TPEG Pti15_2, Pts44_2, destination - - - - - TPEG Pts44_3, intermediate. - - - - - TPEG Pts44_4, leg board - - - - - TPEG Pts44_5, leg intermediate - - - - - TPEG Pts44_6, leg alight - - - - - TPEG Pts44_7, first route point - - - - - TPEG Pts44_8, last route point - - - - - TPEG Pts44_9, affected STOP PLACE - - - - - TPEG Pts44_10, presented STOP PLACE - - - - - TPEG Pts44_255, undefined STOP PLACE usage - - - - - DEPRECATED since SIRI 2.1 and replaced by Pts44_1 value 'origin' (TPEG Pti15_1 - start point) . - - - - - DEPRECATED since SIRI 2.1 (TPEG Pti15_3 - stop) - - - - - DEPRECATED since SIRI 2.1 (TPEG Pti15_4 - via) - - - - - DEPRECATED since SIRI 2.1 (TPEG Pti15_5 - not-stopping) - - - - - DEPRECATED since SIRI 2.1 (TPEG Pti15_6 - temporary stop) - - - - - DEPRECATED since SIRI 2.1 (TPEG Pti15_7 - temporarily not-stopping) - - - - - DEPRECATED since SIRI 2.1 (TPEG Pti15_8 - exceptional stop) - - - - - DEPRECATED since SIRI 2.1 (TPEG Pti15_9 - additional stop) - - - - - DEPRECATED since SIRI 2.1 (TPEG Pti15_10 - request stop) - - - - - DEPRECATED since SIRI 2.1 (TPEG Pti15_11 - front train destination) - - - - - DEPRECATED since SIRI 2.1 (TPEG Pti15_12 - rear train destination) - - - - - DEPRECATED since SIRI 2.1 (TPEG Pti15_13 - through service destination) - - - - - DEPRECATED since SIRI 2.1 (TPEG Pti15_14 - not via) - - - - - DEPRECATED since SIRI 2.1 (TPEG Pti15_15 - altered start point) - - - - - DEPRECATED since SIRI 2.1 (TPEG Pti15_16 - altered destination) - - - - - DEPRECATED since SIRI 2.1 (TPEG Pti15_255 - undefined route point) - - - - - - - - Timetable type - TPEG Pti033. - - - - - Values for TPEG Pti033 - TimetableType - - - - - TPEG Pti33_0, unknown - - - - - TPEG Pti33_1, winter - - - - - TPEG Pti33_2, spring - - - - - TPEG Pti33_3, summer - - - - - TPEG Pti33_4, autumn - - - - - TPEG Pti33_5, special - - - - - TPEG Pti33_6, emergency - - - - - TPEG Pti33_255, undefined timetable type - - - - + + + + + Indicates the loss of an outbound connection, i.e., is used to signal the cancellation of the onward connection to the passengers in the feeder VEHICLEs. (since SIRI 2.1) + + + + + DEPRECATED since SIRI 2.1 - use statusOfConnectionUndecided instead + + + + + + + + Ticket restrictions - TPEG Pti025 + + + + + Values for TPEG Pti025 - TicketRestrictionType + + + + + TPEG Pti25_0, unknown + + + + + TPEG Pti25_1, all ticket classes valid + + + + + TPEG Pti25_2, full fare only + + + + + TPEG Pti25_3, certain tickets only + + + + + TPEG Pti25_4, ticket with reservation + + + + + TPEG Pti25_5, special fare + + + + + TPEG Pti25_6, only tickets of specified operator + + + + + TPEG Pti25_7, no restrictions + + + + + TPEG Pti25_8, no off-peak tickets + + + + + TPEG Pti25_9, no weekend return tickets + + + + + TPEG Pti25_10, no reduced fare tickets + + + + + TPEG Pti25_255, unknown ticket restriction + + + + + + + + Booking Status - TPEG Pti024. + + + + + Values for Values for TPEG Pti024 - BookingStatus + + + + + TPEG Pti24_0, unknown + + + + + TPEG Pti24_1, available + + + + + TPEG Pti24_2, limited + + + + + TPEG Pti24_3, very limited + + + + + TPEG Pti24_4, full + + + + + TPEG Pti24_5, waiting list + + + + + TPEG Pti24_6, no booking required + + + + + TPEG Pti24_7, booking is required + + + + + TPEG Pti24_8, booking is optional + + + + + TPEG Pti24_255, undefined booking information + + + + + + + + STOP POINT type - TPEG Pts017, ServiceDeliveryPointType + + + + + Values for TPEG Pts017 - ServiceDeliveryPointType + + + + + TPEG Pts17_0, unknown + + + + + TPEG Pts17_1, platform number + + + + + TPEG Pts17_2, terminal gate + + + + + TPEG Pts17_3, ferry berth + + + + + TPEG Pts17_4, harbour pier + + + + + TPEG Pts17_5, unknown + + + + + TPEG Pts17_6, bus stop + + + + + TPEG Pts17_255, undefined service delivery point type + + + + + DEPRECATED since SIRI 2.1 - use undefinedStopPointType + + + + + + + + Type for ROUTE POINT. + + + + + Values for ROUTE POINT type that correspond to TPEG Pts44: StopPlaceUsage (Pti15: deprecated since SIRI 2.1). + + + + + TPEG Pti15_0, Pts44_0, unknown + + + + + TPEG Pts44_1, origin + + + + + TPEG Pti15_2, Pts44_2, destination + + + + + TPEG Pts44_3, intermediate. + + + + + TPEG Pts44_4, leg board + + + + + TPEG Pts44_5, leg intermediate + + + + + TPEG Pts44_6, leg alight + + + + + TPEG Pts44_7, first route point + + + + + TPEG Pts44_8, last route point + + + + + TPEG Pts44_9, affected STOP PLACE + + + + + TPEG Pts44_10, presented STOP PLACE + + + + + TPEG Pts44_255, undefined STOP PLACE usage + + + + + DEPRECATED since SIRI 2.1 and replaced by Pts44_1 value 'origin' (TPEG Pti15_1 - start point) . + + + + + DEPRECATED since SIRI 2.1 (TPEG Pti15_3 - stop) + + + + + DEPRECATED since SIRI 2.1 (TPEG Pti15_4 - via) + + + + + DEPRECATED since SIRI 2.1 (TPEG Pti15_5 - not-stopping) + + + + + DEPRECATED since SIRI 2.1 (TPEG Pti15_6 - temporary stop) + + + + + DEPRECATED since SIRI 2.1 (TPEG Pti15_7 - temporarily not-stopping) + + + + + DEPRECATED since SIRI 2.1 (TPEG Pti15_8 - exceptional stop) + + + + + DEPRECATED since SIRI 2.1 (TPEG Pti15_9 - additional stop) + + + + + DEPRECATED since SIRI 2.1 (TPEG Pti15_10 - request stop) + + + + + DEPRECATED since SIRI 2.1 (TPEG Pti15_11 - front train destination) + + + + + DEPRECATED since SIRI 2.1 (TPEG Pti15_12 - rear train destination) + + + + + DEPRECATED since SIRI 2.1 (TPEG Pti15_13 - through service destination) + + + + + DEPRECATED since SIRI 2.1 (TPEG Pti15_14 - not via) + + + + + DEPRECATED since SIRI 2.1 (TPEG Pti15_15 - altered start point) + + + + + DEPRECATED since SIRI 2.1 (TPEG Pti15_16 - altered destination) + + + + + DEPRECATED since SIRI 2.1 (TPEG Pti15_255 - undefined route point) + + + + + + + + Timetable type - TPEG Pti033. + + + + + Values for TPEG Pti033 - TimetableType + + + + + TPEG Pti33_0, unknown + + + + + TPEG Pti33_1, winter + + + + + TPEG Pti33_2, spring + + + + + TPEG Pti33_3, summer + + + + + TPEG Pti33_4, autumn + + + + + TPEG Pti33_5, special + + + + + TPEG Pti33_6, emergency + + + + + TPEG Pti33_255, undefined timetable type + + + +
diff --git a/xsd/siri_model/siri_targetedVehicleJourney.xsd b/xsd/siri_model/siri_targetedVehicleJourney.xsd index b3639b94..653c77e5 100644 --- a/xsd/siri_model/siri_targetedVehicleJourney.xsd +++ b/xsd/siri_model/siri_targetedVehicleJourney.xsd @@ -1,73 +1,74 @@ - - - - main schema - e-service developers - CEN TC278 WG3 SG7 Team - Europe - Drafted for version 1.0 CEN TC278 WG3 SG7 Editor Nicholas Knowles, Kizoom. mailto:schemer@siri.org.uk - - 2004-09-29 - - - 2004-10-01 - - - 2005-02-14 - - - 2005-02-20 - - - 2005-05-11 - - - 2005-12-12 - - - 2007-04-17 - - - - 2007-03-26 - - - - 2008-11-17 - - - - 2012-03-23 - - - -

SIRI is a European CEN standard for the exchange of Public Transport real-time information.

-

This sub-schema describes the TargetedVehicleJourney used in the Stop Timetable Service.

-
- - text/xml - http://www.w3.org/2001/XMLSchema - XML schema, W3C Recommendation 2001 - - {http://www.siri.org.uk/schema/2.0/xsd/siri_model/}siri_targetedVehicleJourney.xsd - [ISO 639-2/B] ENG - Kizoom, 109-123 Clifton Street, London EC4A 4LD - - http://www.siri.org.uk/schema/2.0/xsd/siri_model/siri_journey.xsd - - - CEN, VDV, RTIG 2004-2021 + + + + main schema + e-service developers + CEN TC278 WG3 SG7 Team + Europe + Drafted for version 1.0 CEN TC278 WG3 SG7 Editor Nicholas Knowles, Kizoom. mailto:schemer@siri.org.uk + + 2004-09-29 + + + 2004-10-01 + + + 2005-02-14 + + + 2005-02-20 + + + 2005-05-11 + + + 2005-12-12 + + + 2007-04-17 + + + + 2007-03-26 + + + + 2008-11-17 + + + + 2012-03-23 + + + +

SIRI is a European CEN standard for the exchange of Public Transport real-time information.

+

This sub-schema describes the TargetedVehicleJourney used in the Stop Timetable Service.

+
+ + text/xml + http://www.w3.org/2001/XMLSchema + XML schema, W3C Recommendation 2001 + + {http://www.siri.org.uk/schema/2.0/xsd/siri_model/}siri_targetedVehicleJourney.xsd + [ISO 639-2/B] ENG + Kizoom, 109-123 Clifton Street, London EC4A 4LD + + http://www.siri.org.uk/schema/2.0/xsd/siri_model/siri_journey.xsd + + + + CEN, VDV, RTIG 2004-2021 - -
    -
  • Derived from the VDV, RTIG XML and Trident standards.
  • -
- - Version 2.1 - - Arts, recreation and travel, Tourism, Travel (tourism), Transport, + +
    +
  • Derived from the VDV, RTIG XML and Trident standards.
  • +
+ + Version 2.1 + + Arts, recreation and travel, Tourism, Travel (tourism), Transport, Air transport, Airports, Ports and maritime transport, Ferries (marine), Public transport, Bus services, Coach services, Bus stops and stations, @@ -75,62 +76,62 @@ Rail transport, Railway stations and track, Train services, Underground trains, Business and industry, Transport, Air transport, Ports and maritime transport, Public transport, Rail transport, Roads and road transport - CEN TC278 WG3 SG7 - - SIRI XML schema. Service Interface for Real-time Information. Subschema for Stop Timetable Service. - Standard -
-
- SIRI-ST TargetedVehicleJourney for Stop Timetable Service. -
- - - - - - Timetabled VEHICLE JOURNEY. - - - - - Type for a targeted VEHICLE JOURNEY. - - - - - - - - - - - - Elements for a targeted call. - - - - - Reference to a SCHEDULED STOP POINT. Normally this will omitted as will be the same as the monitoring point. - - - - - - - - - - - - Information about the call at the stop. - - - - - Type for a targeted call. - - - - - + CEN TC278 WG3 SG7 + + SIRI XML schema. Service Interface for Real-time Information. Subschema for Stop Timetable Service. + Standard +
+
+ SIRI-ST TargetedVehicleJourney for Stop Timetable Service. +
+ + + + + + Timetabled VEHICLE JOURNEY. + + + + + Type for a targeted VEHICLE JOURNEY. + + + + + + + + + + + + Elements for a targeted call. + + + + + Reference to a SCHEDULED STOP POINT. Normally this will omitted as will be the same as the monitoring point. + + + + + + + + + + + + Information about the call at the stop. + + + + + Type for a targeted call. + + + + +
diff --git a/xsd/siri_model/siri_time.xsd b/xsd/siri_model/siri_time.xsd index 61c24112..13cdade6 100644 --- a/xsd/siri_model/siri_time.xsd +++ b/xsd/siri_model/siri_time.xsd @@ -1,62 +1,63 @@ - - - - main schema - e-service developers - Europe - Drafted for version 1.0 CEN TC278 WG3 SG7 Editor Nicholas Knowles, Kizoom. mailto:schemer@siri.org.uk - - 2005-10-03 - - - 2005-10-04 - - - 2005-05-11 - - - 2007-03-29 - - - 2008-11-10 - - - - 2014-06-20 - + + + 2014-06-20 + - - - 2020-01-24 - - - -

SIRI is a European CEN standard for the exchange of real-time information.

-
- - text/xml - http://www.w3.org/2001/XMLSchema - XML schema, W3C Recommendation 2001 - - {http://www.siri.org.uk/schema/2.0/xsd/siri_model/}siri_time.xsd - [ISO 639-2/B] ENG - CEN - - CEN, VDV, RTIG 2004-2021 - - -
    -
  • Derived from the VDV, RTIG CML and Trident standards.
  • -
- - Version 2.1 - - Arts, recreation and travel, Tourism, Travel (tourism), Transport, + + +

SIRI is a European CEN standard for the exchange of real-time information.

+
+ + text/xml + http://www.w3.org/2001/XMLSchema + XML schema, W3C Recommendation 2001 + + {http://www.siri.org.uk/schema/2.0/xsd/siri_model/}siri_time.xsd + [ISO 639-2/B] ENG + CEN + + + CEN, VDV, RTIG 2004-2021 + + +
    +
  • Derived from the VDV, RTIG CML and Trident standards.
  • +
+ + Version 2.1 + + Arts, recreation and travel, Tourism, Travel (tourism), Transport, Air transport, Airports, Ports and maritime transport, Ferries (marine), Public transport, Bus services, Coach services, Bus stops and stations, @@ -64,293 +65,293 @@ Rail transport, Railway stations and track, Train services, Underground trains, Business and industry, Transport, Air transport, Ports and maritime transport, Public transport, Rail transport, Roads and road transport - CEN TC278 WG3 SG7 - - SIRI XML schema. Service Interface for Real-time Information relating to Public Transport Operations. Subschema of time types. - Standard -
-
-
- - - - - Type for a range of date and times. Both start and end time are required. - - - - - The (inclusive) start date and time. - - - - - The (inclusive) end date and time. - - - - - - - Type for a range of times. Both start and end time are required. - - - - - The (inclusive) start time. - - - - - The (inclusive) end time. - - - - - Precision with which to interpret the inclusive end time. Default is to the second. - - - - - - - Type for a range of times. Start time must be specified, end time is optional. - - - - - The (inclusive) start time. - - - - - The (inclusive) end time. If omitted, the range end is open-ended, that is, it should be interpreted as "forever". - - - - - - - Type for a range of date times. Start time must be specified, end time is optional. - - - - - The (inclusive) start time stamp. - - - - - The (inclusive) end time stamp. - - - - - Precision with which to interpret the inclusive end time. Default is to the second. (Siri 2.0++) - - - - - - - Type for a range of date times. Start time must be specified, end time is optional. - - - - - The (inclusive) start time stamp. - - - - - The (inclusive) end time stamp. If omitted, the range end is open-ended, that is, it should be interpreted as defined by end time status. - - - - - If end time not provided, whethhr to interpret range as long, term, short term or unknown length of situation. Default is unknown. (Siri 2.0++) - - - - - - - Allowed values for EndTime Precision - - - - - - - - - - - Allowed values for EndTime Status. - - - - - - - - - - - Day on which a SITUATION may apply - TPEG Pti34 DayType - - - - - Values for TPEG Pti34 - DayType - - - - - TPEG Pti34_0, unknown - - - - - TPEG Pti34_1, Monday - - - - - TPEG Pti34_2, Tuesday - - - - - TPEG Pti34_3, Wednesday - - - - - TPEG Pti34_4, Thursday - - - - - TPEG Pti34_5, Friday - - - - - TPEG Pti34_6, Saturday - - - - - TPEG Pti34_7, Sunday - - - - - TPEG Pti34_8, weekdays - - - - - TPEG Pti34_9, weekends - - - - - TPEG Pti34_10, holiday - - - - - TPEG Pti34_11, public holiday - - - - - TPEG Pti34_12, religious holiday - - - - - TPEG Pti34_13, federal holiday - - - - - TPEG Pti34_14, regional holiday - - - - - TPEG Pti34_15, national holiday - - - - - TPEG Pti34_16, Monday to Friday - - - - - TPEG Pti34_17, Monday to Saturday - - - - - TPEG Pti34_18, Sundays and public holidays - - - - - TPEG Pti34_19, school days - - - - - TPEG Pti34_20, every day - - - - - TPEG Pti34_255, undefined day type - - - - - - - Subset of TPEG Pti34 - DayType - - - - - - - - - - - - - - - - - - - Subset of TPEG Pti34 - DayType - - - - - - - - - - - - - - + CEN TC278 WG3 SG7 + + SIRI XML schema. Service Interface for Real-time Information relating to Public Transport Operations. Subschema of time types. + Standard + + + + + + + + Type for a range of date and times. Both start and end time are required. + + + + + The (inclusive) start date and time. + + + + + The (inclusive) end date and time. + + + + + + + Type for a range of times. Both start and end time are required. + + + + + The (inclusive) start time. + + + + + The (inclusive) end time. + + + + + Precision with which to interpret the inclusive end time. Default is to the second. + + + + + + + Type for a range of times. Start time must be specified, end time is optional. + + + + + The (inclusive) start time. + + + + + The (inclusive) end time. If omitted, the range end is open-ended, that is, it should be interpreted as "forever". + + + + + + + Type for a range of date times. Start time must be specified, end time is optional. + + + + + The (inclusive) start time stamp. + + + + + The (inclusive) end time stamp. + + + + + Precision with which to interpret the inclusive end time. Default is to the second. (Siri 2.0++) + + + + + + + Type for a range of date times. Start time must be specified, end time is optional. + + + + + The (inclusive) start time stamp. + + + + + The (inclusive) end time stamp. If omitted, the range end is open-ended, that is, it should be interpreted as defined by end time status. + + + + + If end time not provided, whethhr to interpret range as long, term, short term or unknown length of situation. Default is unknown. (Siri 2.0++) + + + + + + + Allowed values for EndTime Precision + + + + + + + + + + + Allowed values for EndTime Status. + + + + + + + + + + + Day on which a SITUATION may apply - TPEG Pti34 DayType + + + + + Values for TPEG Pti34 - DayType + + + + + TPEG Pti34_0, unknown + + + + + TPEG Pti34_1, Monday + + + + + TPEG Pti34_2, Tuesday + + + + + TPEG Pti34_3, Wednesday + + + + + TPEG Pti34_4, Thursday + + + + + TPEG Pti34_5, Friday + + + + + TPEG Pti34_6, Saturday + + + + + TPEG Pti34_7, Sunday + + + + + TPEG Pti34_8, weekdays + + + + + TPEG Pti34_9, weekends + + + + + TPEG Pti34_10, holiday + + + + + TPEG Pti34_11, public holiday + + + + + TPEG Pti34_12, religious holiday + + + + + TPEG Pti34_13, federal holiday + + + + + TPEG Pti34_14, regional holiday + + + + + TPEG Pti34_15, national holiday + + + + + TPEG Pti34_16, Monday to Friday + + + + + TPEG Pti34_17, Monday to Saturday + + + + + TPEG Pti34_18, Sundays and public holidays + + + + + TPEG Pti34_19, school days + + + + + TPEG Pti34_20, every day + + + + + TPEG Pti34_255, undefined day type + + + + + + + Subset of TPEG Pti34 - DayType + + + + + + + + + + + + + + + + + + + Subset of TPEG Pti34 - DayType + + + + + + + + + + + + + +
diff --git a/xsd/siri_model_discovery/siri_connectionLink.xsd b/xsd/siri_model_discovery/siri_connectionLink.xsd index e7aa1290..a0dfa197 100644 --- a/xsd/siri_model_discovery/siri_connectionLink.xsd +++ b/xsd/siri_model_discovery/siri_connectionLink.xsd @@ -1,45 +1,46 @@ - - - - main schema - e-service developers - CEN TC278 WG3 SG7 Team - Europe - Drafted for version 1.0 CEN TC278 WG3 SG7 Editor Nicholas Knowles, Kizoom. mailto:schemer@siri.org.uk - - 2013-03-07 - - -

SIRI is a European CEN technical standard for the exchange of real-time information.

-

This subschema describes soem code value models used by different SIRI functional services + + + + main schema + e-service developers + CEN TC278 WG3 SG7 Team + Europe + Drafted for version 1.0 CEN TC278 WG3 SG7 Editor Nicholas Knowles, Kizoom. mailto:schemer@siri.org.uk + + 2013-03-07 + + +

SIRI is a European CEN technical standard for the exchange of real-time information.

+

This subschema describes soem code value models used by different SIRI functional services

  • Service Feature discovery
  • TYPE OF PRODUCT CATEGORY Discovery

-
- - text/xml - http://www.w3.org/2001/XMLSchema - XML schema, W3C Recommendation 2001 - - {http://www.siri.org.uk/schema/2.0/xsd/}siri_discovery.xsd - [ISO 639-2/B] ENG - Kizoom, 109-123 Clifton Street, London EC4A 4LD - - http://www.siri.org.uk/schema/2.0/xsd/siri/siri_requests.xsd - http://www.siri.org.uk/schema/2.0/xsd/siri_utility/siri_reference.xsd - - - CEN, VDV, RTIG 2004-2021 + + + text/xml + http://www.w3.org/2001/XMLSchema + XML schema, W3C Recommendation 2001 + + {http://www.siri.org.uk/schema/2.0/xsd/}siri_discovery.xsd + [ISO 639-2/B] ENG + Kizoom, 109-123 Clifton Street, London EC4A 4LD + + http://www.siri.org.uk/schema/2.0/xsd/siri/siri_requests.xsd + http://www.siri.org.uk/schema/2.0/xsd/siri_utility/siri_reference.xsd + + + + CEN, VDV, RTIG 2004-2021 - -
    -
  • Discovery services Derived from the NaPTAN standard .
  • -
- - Version 2.1 - - Arts, recreation and travel, Tourism, Travel (tourism), Transport, + +
    +
  • Discovery services Derived from the NaPTAN standard .
  • +
+ + Version 2.1 + + Arts, recreation and travel, Tourism, Travel (tourism), Transport, Air transport, Airports, Ports and maritime transport, Ferries (marine), Public transport, Bus services, Coach services, Bus stops and stations, @@ -47,69 +48,69 @@ Rail transport, Railway stations and track, Train services, Underground trains, Business and industry, Transport, Air transport, Ports and maritime transport, Public transport, Rail transport, Roads and road transport - CEN TC278 WG3 SG7 - - SIRI_DS XML schema. Service Interface for Real-time Information. Discovery subschema. - Standard -
-
- SIRI subschema with view of SCHEDULED CONNECTION LINKS for use in Connection Link Discovery service -
- - - - - - - SCHEDULED CONNECTION LINK definition. - - - - - View of a SCHEDULED CONNECTION LINK description. - - - - - Identifer of the connection link. DetailLevel=minimum - - - - - Identifer of the feeder's stop. DetailLevel=normal - - - - - Identifer of the distributor's stop. DetailLevel=normal - - - - - Whether real-time data is available for the connection link. Default is 'true'. DetailLevel=minimum - - - - - Name of SCHEDULED CONNECTION LINK. DetailLevel=minimum - - - - - Name of the feeder's stop. DetailLevel=full - - - - - Name of the distributor's stop. DetailLevel=full - - - - - Web page associated with connection link. DetailLevel=full - - - - - + CEN TC278 WG3 SG7 + + SIRI_DS XML schema. Service Interface for Real-time Information. Discovery subschema. + Standard + + + SIRI subschema with view of SCHEDULED CONNECTION LINKS for use in Connection Link Discovery service + + + + + + + + SCHEDULED CONNECTION LINK definition. + + + + + View of a SCHEDULED CONNECTION LINK description. + + + + + Identifer of the connection link. DetailLevel=minimum + + + + + Identifer of the feeder's stop. DetailLevel=normal + + + + + Identifer of the distributor's stop. DetailLevel=normal + + + + + Whether real-time data is available for the connection link. Default is 'true'. DetailLevel=minimum + + + + + Name of SCHEDULED CONNECTION LINK. DetailLevel=minimum + + + + + Name of the feeder's stop. DetailLevel=full + + + + + Name of the distributor's stop. DetailLevel=full + + + + + Web page associated with connection link. DetailLevel=full + + + + +
diff --git a/xsd/siri_model_discovery/siri_feature.xsd b/xsd/siri_model_discovery/siri_feature.xsd index 3d7d48ac..6b2fa524 100644 --- a/xsd/siri_model_discovery/siri_feature.xsd +++ b/xsd/siri_model_discovery/siri_feature.xsd @@ -1,56 +1,57 @@ - - - - main schema - e-service developers - CEN TC278 WG3 SG7 Team - Europe - Drafted for version 1.0 CEN TC278 WG3 SG7 Editor Nicholas Knowles, Kizoom. mailto:schemer@siri.org.uk - - 2012-03-23 - - - 2008-11-17 - - - - 2012-03-23 - - - -

SIRI is a European CEN technical standard for the exchange of real-time information.

-

This subschema describes soem code value models used by different SIRI functional services + + +

SIRI is a European CEN technical standard for the exchange of real-time information.

+

This subschema describes soem code value models used by different SIRI functional services

  • SERVICE FEATURE discovery
  • TYPE OF PRODUCT CATEGORY Discovery

-
- - text/xml - http://www.w3.org/2001/XMLSchema - XML schema, W3C Recommendation 2001 - - {http://www.siri.org.uk/schema/2.0/xsd/}siri_discovery.xsd - [ISO 639-2/B] ENG - Kizoom, 109-123 Clifton Street, London EC4A 4LD - - http://www.siri.org.uk/schema/2.0/xsd/siri/siri_requests.xsd - http://www.siri.org.uk/schema/2.0/xsd/siri_utility/siri_reference.xsd - - - CEN, VDV, RTIG 2004-2021 + + + text/xml + http://www.w3.org/2001/XMLSchema + XML schema, W3C Recommendation 2001 + + {http://www.siri.org.uk/schema/2.0/xsd/}siri_discovery.xsd + [ISO 639-2/B] ENG + Kizoom, 109-123 Clifton Street, London EC4A 4LD + + http://www.siri.org.uk/schema/2.0/xsd/siri/siri_requests.xsd + http://www.siri.org.uk/schema/2.0/xsd/siri_utility/siri_reference.xsd + + + + CEN, VDV, RTIG 2004-2021 - -
    -
  • Discovery services Derived from the NaPTAN standard .
  • -
- - Version 2.1 - - Arts, recreation and travel, Tourism, Travel (tourism), Transport, + +
    +
  • Discovery services Derived from the NaPTAN standard .
  • +
+ + Version 2.1 + + Arts, recreation and travel, Tourism, Travel (tourism), Transport, Air transport, Airports, Ports and maritime transport, Ferries (marine), Public transport, Bus services, Coach services, Bus stops and stations, @@ -58,101 +59,101 @@ Rail transport, Railway stations and track, Train services, Underground trains, Business and industry, Transport, Air transport, Ports and maritime transport, Public transport, Rail transport, Roads and road transport - CEN TC278 WG3 SG7 - - SIRI_DS XML schema. Service Interface for Real-time Information. Discovery subschema. - Standard -
-
- SIRI subschema with view of classifiers for use in Discovery service -
- - - - - - - - - Category for classification of a journey as a Product - - - - - Type for TYPE OF PRODUCT CATEGORY description. - - - - - Identifier of TYPE OF PRODUCT CATEGORY classification. SIRI provides a recommended set of values covering most usages, intended to be TPEG compatible. See the SIRI facilities packaged. - - - - - Name of classification (Unbounded since SIRI 2.0) - - - - - Icon used to represent TYPE OF PRODUCT CATEGORY. - - - - - - - - Service Feature description. - - - - - Type for Service Feature description. - - - - - Identifier of classification. SIRI provides a recommended set of values covering most usages, intended to be TPEG compatible. See the SIRI facilities packaged. - - - - - Name of classification. (Unbounded since SIRI 2.0) - - - - - Icon associated with feature. - - - - - - - - Vehicle Feature description. - - - - - Type for description of feature of VEHICLE. - - - - - Identifier of feature of VEHICLE. SIRI provides a recommended set of values covering most usages, intended to be TPEG compatible. See the SIRI facilities packaged. - - - - - Name of feature of VEHICLE. (Unbounded since SIRI 2.0) - - - - - Icon used to represent feature of VEHICLE. - - - - + CEN TC278 WG3 SG7 + + SIRI_DS XML schema. Service Interface for Real-time Information. Discovery subschema. + Standard + + + SIRI subschema with view of classifiers for use in Discovery service + + + + + + + + + + Category for classification of a journey as a Product + + + + + Type for TYPE OF PRODUCT CATEGORY description. + + + + + Identifier of TYPE OF PRODUCT CATEGORY classification. SIRI provides a recommended set of values covering most usages, intended to be TPEG compatible. See the SIRI facilities packaged. + + + + + Name of classification (Unbounded since SIRI 2.0) + + + + + Icon used to represent TYPE OF PRODUCT CATEGORY. + + + + + + + + Service Feature description. + + + + + Type for Service Feature description. + + + + + Identifier of classification. SIRI provides a recommended set of values covering most usages, intended to be TPEG compatible. See the SIRI facilities packaged. + + + + + Name of classification. (Unbounded since SIRI 2.0) + + + + + Icon associated with feature. + + + + + + + + Vehicle Feature description. + + + + + Type for description of feature of VEHICLE. + + + + + Identifier of feature of VEHICLE. SIRI provides a recommended set of values covering most usages, intended to be TPEG compatible. See the SIRI facilities packaged. + + + + + Name of feature of VEHICLE. (Unbounded since SIRI 2.0) + + + + + Icon used to represent feature of VEHICLE. + + + +
diff --git a/xsd/siri_model_discovery/siri_infoChannel.xsd b/xsd/siri_model_discovery/siri_infoChannel.xsd index 8d0aa3cd..4966096b 100644 --- a/xsd/siri_model_discovery/siri_infoChannel.xsd +++ b/xsd/siri_model_discovery/siri_infoChannel.xsd @@ -1,55 +1,56 @@ - - - - main schema - e-service developers - CEN TC278 WG3 SG7 Team - Europe - Drafted for version 1.0 CEN TC278 WG3 SG7 Editor Nicholas Knowles, Kizoom. mailto:schemer@siri.org.uk - - 2012-03-23 - - - 2008-11-17 - - - - 2012-03-23 - - - -

SIRI is a European CEN technical standard for the exchange of real-time information.

-

This subschema describes soem code value models used by different SIRI functional services + + +

SIRI is a European CEN technical standard for the exchange of real-time information.

+

This subschema describes soem code value models used by different SIRI functional services

  • Service Feature discovery
  • TYPE OF PRODUCT CATEGORY Discovery

-
- - text/xml - http://www.w3.org/2001/XMLSchema - XML schema, W3C Recommendation 2001 - - {http://www.siri.org.uk/schema/2.0/xsd/}siri_discovery.xsd - [ISO 639-2/B] ENG - Kizoom, 109-123 Clifton Street, London EC4A 4LD - - http://www.siri.org.uk/schema/2.0/xsd/siri/siri_requests.xsd - http://www.siri.org.uk/schema/2.0/xsd/siri_utility/siri_reference.xsd - - - CEN, VDV, RTIG 2004-2021 + + + text/xml + http://www.w3.org/2001/XMLSchema + XML schema, W3C Recommendation 2001 + + {http://www.siri.org.uk/schema/2.0/xsd/}siri_discovery.xsd + [ISO 639-2/B] ENG + Kizoom, 109-123 Clifton Street, London EC4A 4LD + + http://www.siri.org.uk/schema/2.0/xsd/siri/siri_requests.xsd + http://www.siri.org.uk/schema/2.0/xsd/siri_utility/siri_reference.xsd + + + + CEN, VDV, RTIG 2004-2021 - -
    -
  • Discovery services Derived from the NaPTAN standard .
  • -
- - Version 2.1 - - Arts, recreation and travel, Tourism, Travel (tourism), Transport, + +
    +
  • Discovery services Derived from the NaPTAN standard .
  • +
+ + Version 2.1 + + Arts, recreation and travel, Tourism, Travel (tourism), Transport, Air transport, Airports, Ports and maritime transport, Ferries (marine), Public transport, Bus services, Coach services, Bus stops and stations, @@ -57,43 +58,43 @@ Rail transport, Railway stations and track, Train services, Underground trains, Business and industry, Transport, Air transport, Ports and maritime transport, Public transport, Rail transport, Roads and road transport - CEN TC278 WG3 SG7 - - SIRI_DS XML schema. Service Interface for Real-time Information. Discovery subschema. - Standard -
-
- SIRI subschema with view of Info channel for use in Discovery service -
- - - - - - Info Channel supported by Producer service. - - - - - Type for Info Channels description. - - - - - Identifier of classification. - - - - - Name of Info Channel. - - - - - Icon associated with Info Channel. - - - - - + CEN TC278 WG3 SG7 + + SIRI_DS XML schema. Service Interface for Real-time Information. Discovery subschema. + Standard + + + SIRI subschema with view of Info channel for use in Discovery service + + + + + + + Info Channel supported by Producer service. + + + + + Type for Info Channels description. + + + + + Identifier of classification. + + + + + Name of Info Channel. + + + + + Icon associated with Info Channel. + + + + +
diff --git a/xsd/siri_model_discovery/siri_line.xsd b/xsd/siri_model_discovery/siri_line.xsd index 0aa69286..967b8fd5 100644 --- a/xsd/siri_model_discovery/siri_line.xsd +++ b/xsd/siri_model_discovery/siri_line.xsd @@ -1,66 +1,67 @@ - - - - main schema - e-service developers - CEN TC278 WG3 SG7 Team - Europe - Drafted for version 1.0 CEN TC278 WG3 SG7 Editor Nicholas Knowles, Kizoom. mailto:schemer@siri.org.uk - - 2012-03-23 - - - 2008-11-17 - - - - 2012-03-23 - - - - 2012-05-10 - - - - 2012-06-12 - - - -

SIRI is a European CEN technical standard for the exchange of real-time information.

-

This subschema describes soem code value models used by different SIRI functional services + + +

SIRI is a European CEN technical standard for the exchange of real-time information.

+

This subschema describes soem code value models used by different SIRI functional services

  • Service Feature discovery
  • TYPE OF PRODUCT CATEGORY Discovery

-
- - text/xml - http://www.w3.org/2001/XMLSchema - XML schema, W3C Recommendation 2001 - - {http://www.siri.org.uk/schema/2.0/xsd/}siri_discovery.xsd - [ISO 639-2/B] ENG - Kizoom, 109-123 Clifton Street, London EC4A 4LD - - http://www.siri.org.uk/schema/2.0/xsd/siri/siri_requests.xsd - http://www.siri.org.uk/schema/2.0/xsd/siri_utility/siri_reference.xsd - - - CEN, VDV, RTIG 2004-2021 + + + text/xml + http://www.w3.org/2001/XMLSchema + XML schema, W3C Recommendation 2001 + + {http://www.siri.org.uk/schema/2.0/xsd/}siri_discovery.xsd + [ISO 639-2/B] ENG + Kizoom, 109-123 Clifton Street, London EC4A 4LD + + http://www.siri.org.uk/schema/2.0/xsd/siri/siri_requests.xsd + http://www.siri.org.uk/schema/2.0/xsd/siri_utility/siri_reference.xsd + + + + CEN, VDV, RTIG 2004-2021 - -
    -
  • Discovery services Derived from the NaPTAN standard .
  • -
- - Version 2.1 - - Arts, recreation and travel, Tourism, Travel (tourism), Transport, + +
    +
  • Discovery services Derived from the NaPTAN standard .
  • +
+ + Version 2.1 + + Arts, recreation and travel, Tourism, Travel (tourism), Transport, Air transport, Airports, Ports and maritime transport, Ferries (marine), Public transport, Bus services, Coach services, Bus stops and stations, @@ -68,175 +69,175 @@ Rail transport, Railway stations and track, Train services, Underground trains, Business and industry, Transport, Air transport, Ports and maritime transport, Public transport, Rail transport, Roads and road transport - CEN TC278 WG3 SG7 - - SIRI_DS XML schema. Service Interface for Real-time Information. Stop Discovery subschema. - Standard -
-
- SIRI subschema with view of LINE for use in Discovery service -
- - - - - - - - - - - Information about LINEs covered by server. - - - - - Summary information about a LINE type. - - - - - Identifier of LINE. - - - - - Name of LINE. (Unbounded since SIRI 2.0) - - - - - Whether the LINE has real-time info. Default is 'true'. - - - - - DESTINATIONs to which the LINE runs. Detail level is 'normal' - - - - - - - - - - DIRECTIONs and Stops for the LINE. 'normal' - - - - - - Directions of Route - - - - - - - - - - - - Summary information about a Direction of a Line - - - - - - - JourneyPatterns in Direction of route (since SIRI 2.0) - - - - - - JourneyPattern. (since SIRI 2.0) - - - - - - - Name Of Journety Pattern (SIRI 2.0) - - - - - Ordered collection of STOP POINTs the LINE and direction . Detail level is 'stops'. (since SIRI 2.0) - - - - - - Stop within Route of LINE. Detail level is 'stop' (since SIRI 2.0) - - - - - - - - - - - - - - - - - - - Summary information about a stop within line - - - - - - - Order of STOP POINT in route (since SIRI 2.0) - - - - - Plot of points from this stop to next Stop. Detail level is 'full'. (since SIRI 2.0) - - - - - GIs projection of Link to the next provided StopPoint. NB Line here means Geometry Polyline, not Transmodel Transport Line. - - - - - - - - - - - Description of a DESTINATION. - - - - - Type for DESTINATION and place name. - - - - - - Name of destination TOPOGRAPHIC PLACE. (Unbounded since SIRI 2.0) - - - - - Direction in which destination lies. relatoive to currernt stop SIRI 2.0 - - - - - + CEN TC278 WG3 SG7 + + SIRI_DS XML schema. Service Interface for Real-time Information. Stop Discovery subschema. + Standard + + + SIRI subschema with view of LINE for use in Discovery service + + + + + + + + + + + + Information about LINEs covered by server. + + + + + Summary information about a LINE type. + + + + + Identifier of LINE. + + + + + Name of LINE. (Unbounded since SIRI 2.0) + + + + + Whether the LINE has real-time info. Default is 'true'. + + + + + DESTINATIONs to which the LINE runs. Detail level is 'normal' + + + + + + + + + + DIRECTIONs and Stops for the LINE. 'normal' + + + + + + Directions of Route + + + + + + + + + + + + Summary information about a Direction of a Line + + + + + + + JourneyPatterns in Direction of route (since SIRI 2.0) + + + + + + JourneyPattern. (since SIRI 2.0) + + + + + + + Name Of Journety Pattern (SIRI 2.0) + + + + + Ordered collection of STOP POINTs the LINE and direction . Detail level is 'stops'. (since SIRI 2.0) + + + + + + Stop within Route of LINE. Detail level is 'stop' (since SIRI 2.0) + + + + + + + + + + + + + + + + + + + Summary information about a stop within line + + + + + + + Order of STOP POINT in route (since SIRI 2.0) + + + + + Plot of points from this stop to next Stop. Detail level is 'full'. (since SIRI 2.0) + + + + + GIs projection of Link to the next provided StopPoint. NB Line here means Geometry Polyline, not Transmodel Transport Line. + + + + + + + + + + + Description of a DESTINATION. + + + + + Type for DESTINATION and place name. + + + + + + Name of destination TOPOGRAPHIC PLACE. (Unbounded since SIRI 2.0) + + + + + Direction in which destination lies. relatoive to currernt stop SIRI 2.0 + + + + +
diff --git a/xsd/siri_model_discovery/siri_stopPoint.xsd b/xsd/siri_model_discovery/siri_stopPoint.xsd index 4957adbb..8e3eccb1 100644 --- a/xsd/siri_model_discovery/siri_stopPoint.xsd +++ b/xsd/siri_model_discovery/siri_stopPoint.xsd @@ -1,62 +1,63 @@ - - - - main schema - e-service developers - CEN TC278 WG3 SG7 Team - Europe - Drafted for version 1.0 CEN TC278 WG3 SG7 Editor Nicholas Knowles, Kizoom. mailto:schemer@siri.org.uk - - 2012-03-23 - - - 2008-11-17 - - - - 2012-03-23 - - - - 2012-06-12 - - - -

SIRI is a European CEN technical standard for the exchange of real-time information.

-

This subschema describes soem code value models used by different SIRI functional services + + +

SIRI is a European CEN technical standard for the exchange of real-time information.

+

This subschema describes soem code value models used by different SIRI functional services

  • Service Feature discovery
  • TYPE OF PRODUCT CATEGORY Discovery

-
- - text/xml - http://www.w3.org/2001/XMLSchema - XML schema, W3C Recommendation 2001 - - {http://www.siri.org.uk/schema/2.0/xsd/}siri_discovery.xsd - [ISO 639-2/B] ENG - Kizoom, 109-123 Clifton Street, London EC4A 4LD - - http://www.siri.org.uk/schema/2.0/xsd/siri/siri_requests.xsd - http://www.siri.org.uk/schema/2.0/xsd/siri_utility/siri_reference.xsd - - - CEN, VDV, RTIG 2004-2021 + + + text/xml + http://www.w3.org/2001/XMLSchema + XML schema, W3C Recommendation 2001 + + {http://www.siri.org.uk/schema/2.0/xsd/}siri_discovery.xsd + [ISO 639-2/B] ENG + Kizoom, 109-123 Clifton Street, London EC4A 4LD + + http://www.siri.org.uk/schema/2.0/xsd/siri/siri_requests.xsd + http://www.siri.org.uk/schema/2.0/xsd/siri_utility/siri_reference.xsd + + + + CEN, VDV, RTIG 2004-2021 - -
    -
  • Discovery services Derived from the NaPTAN standard .
  • -
- - Version 2.1 - - Arts, recreation and travel, Tourism, Travel (tourism), Transport, + +
    +
  • Discovery services Derived from the NaPTAN standard .
  • +
+ + Version 2.1 + + Arts, recreation and travel, Tourism, Travel (tourism), Transport, Air transport, Airports, Ports and maritime transport, Ferries (marine), Public transport, Bus services, Coach services, Bus stops and stations, @@ -64,95 +65,95 @@ Rail transport, Railway stations and track, Train services, Underground trains, Business and industry, Transport, Air transport, Ports and maritime transport, Public transport, Rail transport, Roads and road transport - CEN TC278 WG3 SG7 - - SIRI_DS XML schema. Service Interface for Real-time Information. Discovery subschema. - Standard -
-
- SIRI subschema with view of SCHEDUELD STOP POINT for use in Stop Discovery service -
- - - - - - - - SCHEDULED STOP POINT definition. - - - - - View of a SCHEDULED STOP POINT description. - - - - - Identifer of the stop. - - - - - - Whether real-time data is available for the stop. Default is 'true'. Detail level is 'normal'. - - - - - Name of SCHEDULED STOP POINT. Detail level is 'normal'. (Unbounded since SIRI 2.0) - - - - - Identifer of the sSTOP AREA to which SCHEDULED STOP POINT belongs. +SIRI.v2.0 - - - - - Service features of stop. Detail level is 'full' - - - - - - Description of Service features of stop. - - - - - - - - - LINEs that use stop. Detail level is 'full' - - - - - - Reference to a LINE that calls at stop. - - - - - Reference to a LINE that calls at stop. and its direction (since SIRI 2.0) - - - - - - - - Coordinates to use to show stop as a poitn on map. Detail level is 'normal'.+SIRI.v2.0 - - - - - Web page associated with Stop. Detail level is 'full'+SIRI.v2.0 - - - - - + CEN TC278 WG3 SG7 + + SIRI_DS XML schema. Service Interface for Real-time Information. Discovery subschema. + Standard + + + SIRI subschema with view of SCHEDUELD STOP POINT for use in Stop Discovery service + + + + + + + + + SCHEDULED STOP POINT definition. + + + + + View of a SCHEDULED STOP POINT description. + + + + + Identifer of the stop. + + + + + + Whether real-time data is available for the stop. Default is 'true'. Detail level is 'normal'. + + + + + Name of SCHEDULED STOP POINT. Detail level is 'normal'. (Unbounded since SIRI 2.0) + + + + + Identifer of the sSTOP AREA to which SCHEDULED STOP POINT belongs. +SIRI.v2.0 + + + + + Service features of stop. Detail level is 'full' + + + + + + Description of Service features of stop. + + + + + + + + + LINEs that use stop. Detail level is 'full' + + + + + + Reference to a LINE that calls at stop. + + + + + Reference to a LINE that calls at stop. and its direction (since SIRI 2.0) + + + + + + + + Coordinates to use to show stop as a poitn on map. Detail level is 'normal'.+SIRI.v2.0 + + + + + Web page associated with Stop. Detail level is 'full'+SIRI.v2.0 + + + + +
diff --git a/xsd/siri_productionTimetable_service.xsd b/xsd/siri_productionTimetable_service.xsd index 61e16bbe..5c71526e 100644 --- a/xsd/siri_productionTimetable_service.xsd +++ b/xsd/siri_productionTimetable_service.xsd @@ -1,88 +1,89 @@ - - - - main schema - e-service developers - CEN TC278 WG3 SG7 Team - Werner Kohl MDV - Europe - Drafted for version 1.0 CEN TC278 WG3 SG7 Editor Nicholas Knowles, Kizoom. mailto:schemer@siri.org.uk - - 2003-02-10 - - - 2004-10-31 - - - 2005-02-14 - - - 2005-02-20 - - - 2005-05-11 - - - 2007-04-17 - - - - 2008-03-26 - - - - 2008-11-17 - - - - 2011-04-18 - + + + 2008-03-26 + + + + 2008-11-17 + + + + 2011-04-18 + - - - 2011-01-19 - - - - 2012-03-23 - - - -

SIRI is a European CEN standard for the exchange of Public Transport real-time information.

-

This sub-schema describes the DATED JOUNEY used in the SIRI Production Timetable Service.

-
- - text/xml - http://www.w3.org/2001/XMLSchema - XML schema, W3C Recommendation 2001 - - {http://www.siri.org.uk/schema/2.0/xsd/}siri_productionTimetable_service.xsd - [ISO 639-2/B] ENG - Kizoom, 109-123 Clifton Street, London EC4A 4LD - - http://www.siri.org.uk/schema/2.0/xsd/siri/siri_requests.xsd - http://www.siri.org.uk/schema/2.0/xsd/siri_model/siri_targetedVehicleJourney.xsd - http://www.siri.org.uk/schema/2.0/xsd/siri_model/siri_modelPermissions.xsd - - - CEN, VDV, RTIG 2004-2021 + + +

SIRI is a European CEN standard for the exchange of Public Transport real-time information.

+

This sub-schema describes the DATED JOUNEY used in the SIRI Production Timetable Service.

+
+ + text/xml + http://www.w3.org/2001/XMLSchema + XML schema, W3C Recommendation 2001 + + {http://www.siri.org.uk/schema/2.0/xsd/}siri_productionTimetable_service.xsd + [ISO 639-2/B] ENG + Kizoom, 109-123 Clifton Street, London EC4A 4LD + + http://www.siri.org.uk/schema/2.0/xsd/siri/siri_requests.xsd + http://www.siri.org.uk/schema/2.0/xsd/siri_model/siri_targetedVehicleJourney.xsd + http://www.siri.org.uk/schema/2.0/xsd/siri_model/siri_modelPermissions.xsd + + + + CEN, VDV, RTIG 2004-2021 - -
    -
  • Derived from the VDV, RTIG XML and Trident standards.
  • -
- - Version 2.1 - - Arts, recreation and travel, Tourism, Travel (tourism), Transport, + +
    +
  • Derived from the VDV, RTIG XML and Trident standards.
  • +
+ + Version 2.1 + + Arts, recreation and travel, Tourism, Travel (tourism), Transport, Air transport, Airports, Ports and maritime transport, Ferries (marine), Public transport, Bus services, Coach services, Bus stops and stations, @@ -90,266 +91,266 @@ Rail transport, Railway stations and track, Train services, Underground trains, Business and industry, Transport, Air transport, Ports and maritime transport, Public transport, Rail transport, Roads and road transport - CEN TC278 WG3 SG7 - - SIRI_PT XML schema. Service Interface for Real-time Information. Production Timetable Service. - Standard -
-
- SIRI-PT DATED JOURNEY Model view. -
- - - - - - - - Convenience artefact to pick out main elements of the Production Timetable Service. - - - - - - - - - - - - - - - - Request for daily production timetables. - - - - - Type for Functional Service Request for Production Timetables. - - - - - - - - - - - Version number of request. Fixed. - - - - - - - - Parameters that specify the content to be returned. - - - - - - Communicate only differences to the timetable specified by this VERSION of the TIMETABLe. - - - - - Filter the results to include journeys for only the specified OPERATORs. - - - - - Filter the results to include only vehicles along the given LINEs. - - - - - - Iinclude only vehicles along the given LINE. - - - - - - - - Filter the results to include only journeys of the specified VEHICLE MODE. (since SIRI 2.1) - - - - - Filter the results to include only journeys of the specified TYPE OF PRODUCT CATEGORY. (since SIRI 2.1) - - - - - Filter the results to include only journeys with a CALL at the specified STOP POINT. (since SIRI 2.1) - - - - - - - Parameters that affect the request processing. Mostly act to reduce the number of messages exchanged. - - - - - Preferred languages in which to return text values. - - - - - - - - - Whether to return the whole timetable, or just differences from the inidicated version. Default is 'false'. - - - - - - - - Request for a subscription to the Production Timetable Service. - - - - - - - - - - Subscription Request for Production Timetable Service. - - - - - - - - - - - - - - Parameters that affect the subscription content. - - - - - Whether the producer should return the complete set of current data, or only provide updates to the last data returned, i.e. additions, modifications and deletions. + CEN TC278 WG3 SG7 + + SIRI_PT XML schema. Service Interface for Real-time Information. Production Timetable Service. + Standard + + + SIRI-PT DATED JOURNEY Model view. + + + + + + + + + Convenience artefact to pick out main elements of the Production Timetable Service. + + + + + + + + + + + + + + + + Request for daily production timetables. + + + + + Type for Functional Service Request for Production Timetables. + + + + + + + + + + + Version number of request. Fixed. + + + + + + + + Parameters that specify the content to be returned. + + + + + + Communicate only differences to the timetable specified by this VERSION of the TIMETABLe. + + + + + Filter the results to include journeys for only the specified OPERATORs. + + + + + Filter the results to include only vehicles along the given LINEs. + + + + + + Iinclude only vehicles along the given LINE. + + + + + + + + Filter the results to include only journeys of the specified VEHICLE MODE. (since SIRI 2.1) + + + + + Filter the results to include only journeys of the specified TYPE OF PRODUCT CATEGORY. (since SIRI 2.1) + + + + + Filter the results to include only journeys with a CALL at the specified STOP POINT. (since SIRI 2.1) + + + + + + + Parameters that affect the request processing. Mostly act to reduce the number of messages exchanged. + + + + + Preferred languages in which to return text values. + + + + + + + + + Whether to return the whole timetable, or just differences from the inidicated version. Default is 'false'. + + + + + + + + Request for a subscription to the Production Timetable Service. + + + + + + + + + + Subscription Request for Production Timetable Service. + + + + + + + + + + + + + + Parameters that affect the subscription content. + + + + + Whether the producer should return the complete set of current data, or only provide updates to the last data returned, i.e. additions, modifications and deletions. If false each subscription response will contain the full information as specified in this request. - - - - - - - - - Delivery for Production Timetable Service. - - - - - Payload part of Production Timetable delivery. - - - - - A TIMETABLE to run on a specified date. - - - - - - - - Delivery for Production Timetable Service type. - - - - - - - - - Version number of response. fixed. - - - - - - - - - A TIMETABLE FRAME to run on a specified date. - - - - - Type for Production Timetable of a LINE. - - - - - - - Timetable Version. - - - - - - Minimum interval at which updates for this DATED TIMETABLE VERSION FRAME can be sent. (since SIRI 2.1) - - - - - - - - - - Complete list of all planned VEHICLE JOURNEYs for this LINE and DIRECTION. - - - - - List of all removed VEHICLE JOURNEYs for this LINE and DIRECTION. + + + + + + + + + Delivery for Production Timetable Service. + + + + + Payload part of Production Timetable delivery. + + + + + A TIMETABLE to run on a specified date. + + + + + + + + Delivery for Production Timetable Service type. + + + + + + + + + Version number of response. fixed. + + + + + + + + + A TIMETABLE FRAME to run on a specified date. + + + + + Type for Production Timetable of a LINE. + + + + + + + Timetable Version. + + + + + + Minimum interval at which updates for this DATED TIMETABLE VERSION FRAME can be sent. (since SIRI 2.1) + + + + + + + + + + Complete list of all planned VEHICLE JOURNEYs for this LINE and DIRECTION. + + + + + List of all removed VEHICLE JOURNEYs for this LINE and DIRECTION. A data producer may silently remove a journey from the plan if it was previously provided in error. Careful: Removal is different from Cancellation. Minimal information, or no information at all, of a RemovedDatedVehicleJourney or the removal itself must be communicated to the passengers, i.e., it is "silently" removed. A Cancellation, on the other hand, is possibly the most important information to provide to the passengers. It is strongly advised to only use this feature in cases where a journey was sent in error and it can be assumed that as few passengers as possible have seen the erroneous information to avoid confusion. (since SIRI 2.1) - - - - - Connection paramters for a SERVICE JOURNEY INTERCHANGE between a feeder and distributor journey. SIRI 2.0 - - - - - List of all removed SERVICE JOURNEY INTERCHANGEs. + + + + + Connection paramters for a SERVICE JOURNEY INTERCHANGE between a feeder and distributor journey. SIRI 2.0 + + + + + List of all removed SERVICE JOURNEY INTERCHANGEs. A data producer may silently remove an interchange from the plan if it was previously provided in error. Careful: Removal is different from Cancellation. Minimal information, or no information at all, of a RemovedServiceJourneyInterchange or the removal itself must be communicated to the passengers, i.e., it is "silently" removed. A Cancellation, on the other hand, is possibly the most important information to provide to the passengers. It is strongly advised to only use this feature in cases where an interchange was sent in error and it can be assumed that as few passengers as possible have seen the erroneous information to avoid confusion. (since SIRI 2.1) - - - - - - - - - - - Start and end of timetable validity (time window) of journeys for which schedules are to be returned by the data producer. + + + + + + + + + + + Start and end of timetable validity (time window) of journeys for which schedules are to be returned by the data producer. The ValidityPeriod of the timetable must not exceed the ValidityPeriod requested by the subscriber. If omitted, then the full - by the subscriber requested - ValidityPeriod or configured data horizon applies. @@ -362,153 +363,153 @@ A timetable falls inside the ValidityPeriod if all of its journeys fall inside i A journey falls inside the ValidityPeriod if the AimedDepartureTime or AimedArrivalTime at any CALL lies between the Start- and EndTime of the ValidityPeriod (regardless of whether the aimed times at a previous or subsequent CALL fall ouside of the ValidityPeriod). Careful: Journeys which themselves fall outside the ValidityPeriod, but which are linked to a journey within the ValidityPeriod by a JOURNEY RELATION, are also regarded as falling inside the ValidityPeriod. Examples are journeys where the vehicle is split or joins with or is replaced by another vehicle. - - - - - - - - - Type for deliveries of production timetable service. Used in WSDL. - - - - - - - - - - Request for information about ProductionTimetable Service Capabilities. Answered with a ProductionTimetableCapabilitiesResponse. - - - - - - - - - - - Capabilities for ProductionTimetable Service. Answers a Answered with a ProductionTimetableCapabilitiesRequest. - - - - - Type for Delivery for ProductionTimetable Capability. - - - - - - - - - - - Version number of response. fixed. - - - - - - - - Type for Estimated ProductionCapability Request Policy. - - - - - - - Whether results returns foreign journeys only. - - - - - - - - - Capabilities of ProductionTimetableService. - - - - - Type for ProductionTimetable Capabilities. - - - - - - - Filtering Capabilities. - - - - - - - - - - - - Whether results can be filtered by TIMETABLE VERSION Default is 'true'. - - - - - - - - Request Policiy capabilities. - - - - - - - - - - Subscription Policy capabilities. - - - - - - Whether incremental updates can be specified for updates Default is ' true'. - - - - - - - - Optional Access control capabilities. - - - - - - - - - - - Participant's permissions to use the service. - - - - - - - - - - - - + + + + + + + + + Type for deliveries of production timetable service. Used in WSDL. + + + + + + + + + + Request for information about ProductionTimetable Service Capabilities. Answered with a ProductionTimetableCapabilitiesResponse. + + + + + + + + + + + Capabilities for ProductionTimetable Service. Answers a Answered with a ProductionTimetableCapabilitiesRequest. + + + + + Type for Delivery for ProductionTimetable Capability. + + + + + + + + + + + Version number of response. fixed. + + + + + + + + Type for Estimated ProductionCapability Request Policy. + + + + + + + Whether results returns foreign journeys only. + + + + + + + + + Capabilities of ProductionTimetableService. + + + + + Type for ProductionTimetable Capabilities. + + + + + + + Filtering Capabilities. + + + + + + + + + + + + Whether results can be filtered by TIMETABLE VERSION Default is 'true'. + + + + + + + + Request Policiy capabilities. + + + + + + + + + + Subscription Policy capabilities. + + + + + + Whether incremental updates can be specified for updates Default is ' true'. + + + + + + + + Optional Access control capabilities. + + + + + + + + + + + Participant's permissions to use the service. + + + + + + + + + + + +
diff --git a/xsd/siri_situationExchange_service.xsd b/xsd/siri_situationExchange_service.xsd index 4db9c1ca..16a2090c 100644 --- a/xsd/siri_situationExchange_service.xsd +++ b/xsd/siri_situationExchange_service.xsd @@ -1,96 +1,97 @@ - - - - main schema - e-service developers - CEN TC278 WG3 SG7 Team - Europe - Drafted for version 1.1 CEN TC278 WG3 SG7 Editor Nicholas Knowles, Kizoom. mailto:schemer@siri.org.uk + + + + main schema + e-service developers + CEN TC278 WG3 SG7 Team + Europe + Drafted for version 1.1 CEN TC278 WG3 SG7 Editor Nicholas Knowles, Kizoom. mailto:schemer@siri.org.uk Drafted for version 1.0 CEN TC278 WG3 SG7 Editor Nicholas Knowles, Kizoom. mailto:schemer@siri.org.uk - - 2008-01-22 - - - 2008-01-22 - - - 2009-04-17 - - - - 2008-01-17 - - - - 2008-07-05 - - - - 2008-10-01 - + + + 2008-01-17 + + + + 2008-07-05 + + + + 2008-10-01 + - - - 2008-11-17 - - - - 2012-03-23 - + + + 2012-03-23 + - - - 2013-10-09 - - - - 2014-06-20 - - - - 2018-11-13 - - - -

SIRI is a European CEN standard for the exchange of Public Transport real-time information.

-

This sub-schema describes the Situation Exchange Service.

-
- - text/xml - http://www.w3.org/2001/XMLSchema - XML schema, W3C Recommendation 2001 - - {http://www.siri.org.uk/schema/2.0/xsd/}siri_SituationExchange_service.xsd - [ISO 639-2/B] ENG - Kizoom, 109-123 Clifton Street, London EC4A 4LD - - http://www.siri.org.uk/schema/2.0/xsd/siri/siri_requests.xsd - http://www.siri.org.uk/schema/2.0/xsd/siri_model/siri_situation.xsd - http://www.siri.org.uk/schema/2.0/xsd/siri_model/siri_modelPermissions.xsd - - - CEN, VDV, RTIG 2004-2021 + + + 2018-11-13 + + + +

SIRI is a European CEN standard for the exchange of Public Transport real-time information.

+

This sub-schema describes the Situation Exchange Service.

+
+ + text/xml + http://www.w3.org/2001/XMLSchema + XML schema, W3C Recommendation 2001 + + {http://www.siri.org.uk/schema/2.0/xsd/}siri_SituationExchange_service.xsd + [ISO 639-2/B] ENG + Kizoom, 109-123 Clifton Street, London EC4A 4LD + + http://www.siri.org.uk/schema/2.0/xsd/siri/siri_requests.xsd + http://www.siri.org.uk/schema/2.0/xsd/siri_model/siri_situation.xsd + http://www.siri.org.uk/schema/2.0/xsd/siri_model/siri_modelPermissions.xsd + + + + CEN, VDV, RTIG 2004-2021 - -
    -
  • Derived from the VDV, RTIG XML and Trident standards.
  • -
  • categories from TPEG
  • -
- - Version 2.1 - - Arts, recreation and travel, Tourism, Travel (tourism), Transport, + +
    +
  • Derived from the VDV, RTIG XML and Trident standards.
  • +
  • categories from TPEG
  • +
+ + Version 2.1 + + Arts, recreation and travel, Tourism, Travel (tourism), Transport, Air transport, Airports, Ports and maritime transport, Ferries (marine), Public transport, Bus services, Coach services, Bus stops and stations, @@ -98,685 +99,685 @@ Rail transport, Railway stations and track, Train services, Underground trains, Business and industry, Transport, Air transport, Ports and maritime transport, Public transport, Rail transport, Roads and road transport - CEN TC278 WG3 SG7 - - SIRI-SX XML schema. Service Interface for Real-time Information relating to Public Transport Operations. Situation Exchange Service Subschema - Standard -
-
- SIRI-SX Situation Exchange Service. -
- - - - - - - - - - - - - - Convenience artifact to pick out main elements of the Situation Exchange Service. - - - - - - - - - - - - - - - - Request for information about Facilities status. - - - - - Type for Functional Service Request for Situation Exchange Service. - - - - - - - - - - - Version number of request. Fixed + CEN TC278 WG3 SG7 + + SIRI-SX XML schema. Service Interface for Real-time Information relating to Public Transport Operations. Situation Exchange Service Subschema + Standard +
+
+ SIRI-SX Situation Exchange Service. +
+ + + + + + + + + + + + + + Convenience artifact to pick out main elements of the Situation Exchange Service. + + + + + + + + + + + + + + + + Request for information about Facilities status. + + + + + Type for Functional Service Request for Situation Exchange Service. + + + + + + + + + + + Version number of request. Fixed - - - - - - - - Parameters that specify the content to be returned. Logically ANDed with other values. - - - - - Parameters to control time for which subscription applies. - - - - - Parameters to filter Situation Exchange Service requests, based on the time. Logically ANDed with other values. - - - - - - - - - - - - Parameters to filter Situation Exchange Service requests, based on the SITUATION Road. Logically ANDed with other values. - - - - - - - - - - Parameters to filter Situation Exchange Service requests, based on specific needs . - - - - - - - Parameters to filter Situation Exchange Service requests, based on the SITUATION Status. Logically ANDed with other values. - - - - - Forward duration for which SITUATIONs should be included, that is, only SITUATIONs that start before the end of this window time will be included. - - - - - Start time for selecting SITUATIONs to be sent. Only SITUATIONs or updates created after this time will be sent. This enables a restart without resending everything. - - - - - - - Parameters to filter Situation Exchange Service requests, based on the SITUATION Status. Logically ANDed with other values. - - - - - Temporal scope of Situations be included in response. The Situations must be valid within the specified period of time. (since SIRI 2.0) - - - - - Only incidents that are currently within their publication window shouldbe included. Otherwose all incidents will be included. Default is false - - - - - - - Parameters to filter Situation Exchange Service requests, based on the SITUATION Status. Logically ANDed with other values. - - - - - Whether incident has been verified or not If not specified return all. - - - - - Workflow Progress Status. One of a specified set of overall processing states assigned to SITUATION. For example, 'Draft' for not yet published; 'Published' for live SITUATIONs; 'Closed' indicates a completed SITUATION. If not specified return open, published closing and closed. l. - - - - - Whether SITUATION is real or a test. If not specified return all. - - - - - - - Parameters to filter Situation Exchange Service requests, based on the SITUATION Network. Logically ANDed with other values. - - - - - Referance to an OPERATOR. If unspecified, all OPERATOR.s. - - - - - OPERATIONAL UNIT responsible for managing services. - - - - - Reference to a NETWORK. - - - - - - Filter the results to include only the given line. - - - - - Filter the results to include only situations along the given LINEs. - - - - - - Filter the results to include only the given line. and direction - - - - - - - - - - - - - - Parameters to filter Situation Exchange Service requests, based on the STOP PLACEs affected SITUATIONs. Logically ANDed with other values. - - - - - Reference to a STOP PLACE. - - - - - Reference to part of a STOP PLACE. (since SIRI 2.0) - - - - - - - Parameters to filter Situation Exchange Service requests, based on the VEHICLE JOURNEYs affected by the SITUATION. Logically ANDed with other values. - - - - - Use of simple reference is deprecated - - - - Refercence to a VEHICLE JOURNEY framed by the day. SIRI 2.0 - - - - - - - - - - - Parameters to filter Situation Exchange Service requests, based on the SITUATION Classifiers. Logically ANDed with other values. - - - - - Severity filter value to apply: only SITUATIONs with a severity greater than or equal to the specified value will be returned. See TPEG severities. Default is 'normal'. - - - - - Types of SITUATION to include. - - - - - Whether just planned, unplanned or both SITUATIONs will be returned. - - - - - Arbitrary application specific classifiers. Only SITUATIONs that match these keywords will be returned. - - - - - - - Parameters to filter Situation Exchange Service requests, based on the SITUATION Place. Logically ANDed with other values. - - - - - Reference to a COUNTRY where incident takes place If specified only incidents that affect this place country will be returned. - - - - - Reference to a TOPOGRAPHIC PLACE. Only incidents which are deemed to affect this place will be returned. - - - - - Bounding box of an arbitrary area. Only incidents geocoded as falling within area will be included. - - - - - - - Type for Parameters to filter Situation Exchange Service requests, based on the SITUATION Road, Logically ANDed with other values. - - - - - Identifier or number of the road on which the reference POINT is located. - - - - - The DIRECTION at the reference point in terms of general destination DIRECTION. If absent both. - - - - - Road reference POINT identifier, unique on the specified road. - - - - - - - Parameters that affect the request processing. - - - - - Preferred languages in which to return text values. - - - - - - The maximum number of SITUATION elements to return in a given delivery. The most recent n Events within the look ahead window are included. - - - - - - - - Request for a subscription to the Situation Exchange Service. - - - - - Parameters that affect the subscription publishing and notification processing. - - - - - Whether the producer will return the complete set of current data, or only provide updates to this data, i.e. additions, modifications and deletions. + + + + + + + + Parameters that specify the content to be returned. Logically ANDed with other values. + + + + + Parameters to control time for which subscription applies. + + + + + Parameters to filter Situation Exchange Service requests, based on the time. Logically ANDed with other values. + + + + + + + + + + + + Parameters to filter Situation Exchange Service requests, based on the SITUATION Road. Logically ANDed with other values. + + + + + + + + + + Parameters to filter Situation Exchange Service requests, based on specific needs . + + + + + + + Parameters to filter Situation Exchange Service requests, based on the SITUATION Status. Logically ANDed with other values. + + + + + Forward duration for which SITUATIONs should be included, that is, only SITUATIONs that start before the end of this window time will be included. + + + + + Start time for selecting SITUATIONs to be sent. Only SITUATIONs or updates created after this time will be sent. This enables a restart without resending everything. + + + + + + + Parameters to filter Situation Exchange Service requests, based on the SITUATION Status. Logically ANDed with other values. + + + + + Temporal scope of Situations be included in response. The Situations must be valid within the specified period of time. (since SIRI 2.0) + + + + + Only incidents that are currently within their publication window shouldbe included. Otherwose all incidents will be included. Default is false + + + + + + + Parameters to filter Situation Exchange Service requests, based on the SITUATION Status. Logically ANDed with other values. + + + + + Whether incident has been verified or not If not specified return all. + + + + + Workflow Progress Status. One of a specified set of overall processing states assigned to SITUATION. For example, 'Draft' for not yet published; 'Published' for live SITUATIONs; 'Closed' indicates a completed SITUATION. If not specified return open, published closing and closed. l. + + + + + Whether SITUATION is real or a test. If not specified return all. + + + + + + + Parameters to filter Situation Exchange Service requests, based on the SITUATION Network. Logically ANDed with other values. + + + + + Referance to an OPERATOR. If unspecified, all OPERATOR.s. + + + + + OPERATIONAL UNIT responsible for managing services. + + + + + Reference to a NETWORK. + + + + + + Filter the results to include only the given line. + + + + + Filter the results to include only situations along the given LINEs. + + + + + + Filter the results to include only the given line. and direction + + + + + + + + + + + + + + Parameters to filter Situation Exchange Service requests, based on the STOP PLACEs affected SITUATIONs. Logically ANDed with other values. + + + + + Reference to a STOP PLACE. + + + + + Reference to part of a STOP PLACE. (since SIRI 2.0) + + + + + + + Parameters to filter Situation Exchange Service requests, based on the VEHICLE JOURNEYs affected by the SITUATION. Logically ANDed with other values. + + + + + Use of simple reference is deprecated + + + + Refercence to a VEHICLE JOURNEY framed by the day. SIRI 2.0 + + + + + + + + + + + Parameters to filter Situation Exchange Service requests, based on the SITUATION Classifiers. Logically ANDed with other values. + + + + + Severity filter value to apply: only SITUATIONs with a severity greater than or equal to the specified value will be returned. See TPEG severities. Default is 'normal'. + + + + + Types of SITUATION to include. + + + + + Whether just planned, unplanned or both SITUATIONs will be returned. + + + + + Arbitrary application specific classifiers. Only SITUATIONs that match these keywords will be returned. + + + + + + + Parameters to filter Situation Exchange Service requests, based on the SITUATION Place. Logically ANDed with other values. + + + + + Reference to a COUNTRY where incident takes place If specified only incidents that affect this place country will be returned. + + + + + Reference to a TOPOGRAPHIC PLACE. Only incidents which are deemed to affect this place will be returned. + + + + + Bounding box of an arbitrary area. Only incidents geocoded as falling within area will be included. + + + + + + + Type for Parameters to filter Situation Exchange Service requests, based on the SITUATION Road, Logically ANDed with other values. + + + + + Identifier or number of the road on which the reference POINT is located. + + + + + The DIRECTION at the reference point in terms of general destination DIRECTION. If absent both. + + + + + Road reference POINT identifier, unique on the specified road. + + + + + + + Parameters that affect the request processing. + + + + + Preferred languages in which to return text values. + + + + + + The maximum number of SITUATION elements to return in a given delivery. The most recent n Events within the look ahead window are included. + + + + + + + + Request for a subscription to the Situation Exchange Service. + + + + + Parameters that affect the subscription publishing and notification processing. + + + + + Whether the producer will return the complete set of current data, or only provide updates to this data, i.e. additions, modifications and deletions. If false or omitted, each subscription response will contain the full information as specified in this request. - - - - - - - Type for Subscription Request for Situation Exchange Service. - - - - - - - - - - - - - - - - Delivery for Situation Exchange Service. - - - - - Delivery of Situation Exchange Service included as supplement to main functional service delivery. - - - - - Payload part of Situation Exchange Service delivery. - - - - - Default context for common properties of SITUATIONs, Values specified apply to all SITUATIONs unless overridden. Can be used optionally to reduce file bulk. - - - - - SITUATIONs in Delivery. - - - - - - Description of a SITUATION. - - - - - - - - - - - Type for Delivery for Situation Exchange Service. Provides information about one or more vehicles; each has its own VEHICLE activity element. - - - - - - - Payload part of Situation Exchange Service delivery. - - - - - - - Version number of response. Fixed + + + + + + + Type for Subscription Request for Situation Exchange Service. + + + + + + + + + + + + + + + + Delivery for Situation Exchange Service. + + + + + Delivery of Situation Exchange Service included as supplement to main functional service delivery. + + + + + Payload part of Situation Exchange Service delivery. + + + + + Default context for common properties of SITUATIONs, Values specified apply to all SITUATIONs unless overridden. Can be used optionally to reduce file bulk. + + + + + SITUATIONs in Delivery. + + + + + + Description of a SITUATION. + + + + + + + + + + + Type for Delivery for Situation Exchange Service. Provides information about one or more vehicles; each has its own VEHICLE activity element. + + + + + + + Payload part of Situation Exchange Service delivery. + + + + + + + Version number of response. Fixed - - - - - - - - - Common parameters for all SITUATIONs. - - - - - Reference to a Country of a Participant who published SITUATION. - - - - - Reference to a system publishing SITUATIONs. If SITUATIONs from other participants are included in delivery, then ParticipantRef of immediate publisher must be given here. - - - - - Refrence to a TOPOGRAPHIC PLACE (locality). Also Derivable from an individual StopRef. - - - - - Name of locality in which SITUATIONs apply. Derivable from LocalityRef. (Unbounded since SIRI 2.0) - - - - - Default language of text. - - - - - Default context for common properties of Public Transport SITUATIONs. - - - - - Actions that apply to all SITUATIONs unless overridden. - - - - - - - - Type for shared context. - - - - - Default OPERATOR for SITUATIONs. - - - - - Default Network of affected LINEs. These values apply to all SITUATIONs unless overridden on individual instances. - - - - - - - - - Type for Deliveries for Situation Exchange Service. Used in WSDL. - - - - - Delivery for Vehicle Activity Service. - - - - - - - - - Request for information about Situation Exchange Service Capabilities. Answered with a VehicleMontoringCapabilitiesResponse. - - - - - - Capabilities for Situation Exchange Service. Answers a VehicleMontoringCapabilitiesRequest. - - - - - Type for Delivery for Situation Exchange Service. - - - - - - - - - - - Version number of response. Fixed + + + + + + + + + Common parameters for all SITUATIONs. + + + + + Reference to a Country of a Participant who published SITUATION. + + + + + Reference to a system publishing SITUATIONs. If SITUATIONs from other participants are included in delivery, then ParticipantRef of immediate publisher must be given here. + + + + + Refrence to a TOPOGRAPHIC PLACE (locality). Also Derivable from an individual StopRef. + + + + + Name of locality in which SITUATIONs apply. Derivable from LocalityRef. (Unbounded since SIRI 2.0) + + + + + Default language of text. + + + + + Default context for common properties of Public Transport SITUATIONs. + + + + + Actions that apply to all SITUATIONs unless overridden. + + + + + + + + Type for shared context. + + + + + Default OPERATOR for SITUATIONs. + + + + + Default Network of affected LINEs. These values apply to all SITUATIONs unless overridden on individual instances. + + + + + + + + + Type for Deliveries for Situation Exchange Service. Used in WSDL. + + + + + Delivery for Vehicle Activity Service. + + + + + + + + + Request for information about Situation Exchange Service Capabilities. Answered with a VehicleMontoringCapabilitiesResponse. + + + + + + Capabilities for Situation Exchange Service. Answers a VehicleMontoringCapabilitiesRequest. + + + + + Type for Delivery for Situation Exchange Service. + + + + + + + + + + + Version number of response. Fixed - - - - - - - - Capabilities of Situation Exchange Service. Answers a SituationExchangeCapabilitiesRequest. - - - - - Type for SItuation Exchange Service Capabilities. - - - - - - - Filtering Capabilities. - - - - - - Default preview interval. Default is 60 minutes. - - - - - - Whether results can be filtered by location. Fixed as 'true'. - - - - - - Whether results can be filtered by MODE. Default is true.. ((since SIRI 2.0)) - - - - - Whether results can be filtered by NETWORKs. Default is 'true'. ((since SIRI 2.0)) - - - - - - - Whether results can be filtered by STOP PLACE identifvier. Default is 'false'. ((since SIRI 2.0)) - - - - - - - - Whether results can be filtered by Specific Needs. Default is 'true'. - - - - - Whether results can be filtered by Keywords. Default is 'false' - - - - - - - - Request Policy capabilities. - - - - - - - - - - - - - - Subscription Policy capabilities. - - - - - Optional Access control capabilities. - - - - - - - - - - - - - - - Optional Response capabilities. - - - - - - - - - - - - - Elements for volume control. - - - - - Whether a maximum number ofSITUATIONS to include can be specified. Default is 'false'. - - - - - - - - Participant's permissions to use the service. - - - - - - - - - - - - - - Type for Situation Exchange Service Permissions. - - - - - - - - - - - + + + + + + + + Capabilities of Situation Exchange Service. Answers a SituationExchangeCapabilitiesRequest. + + + + + Type for SItuation Exchange Service Capabilities. + + + + + + + Filtering Capabilities. + + + + + + Default preview interval. Default is 60 minutes. + + + + + + Whether results can be filtered by location. Fixed as 'true'. + + + + + + Whether results can be filtered by MODE. Default is true.. ((since SIRI 2.0)) + + + + + Whether results can be filtered by NETWORKs. Default is 'true'. ((since SIRI 2.0)) + + + + + + + Whether results can be filtered by STOP PLACE identifvier. Default is 'false'. ((since SIRI 2.0)) + + + + + + + + Whether results can be filtered by Specific Needs. Default is 'true'. + + + + + Whether results can be filtered by Keywords. Default is 'false' + + + + + + + + Request Policy capabilities. + + + + + + + + + + + + + + Subscription Policy capabilities. + + + + + Optional Access control capabilities. + + + + + + + + + + + + + + + Optional Response capabilities. + + + + + + + + + + + + + Elements for volume control. + + + + + Whether a maximum number ofSITUATIONS to include can be specified. Default is 'false'. + + + + + + + + Participant's permissions to use the service. + + + + + + + + + + + + + + Type for Situation Exchange Service Permissions. + + + + + + + + + + +
diff --git a/xsd/siri_stopMonitoring_service.xsd b/xsd/siri_stopMonitoring_service.xsd index 4ec8a6d5..cf711d97 100644 --- a/xsd/siri_stopMonitoring_service.xsd +++ b/xsd/siri_stopMonitoring_service.xsd @@ -1,50 +1,50 @@ - - - - main schema - e-service developers - CEN TC278 WG3 SG7 Team - Europe - Drafted for version 1.0 CEN TC278 WG3 SG7 Editor Nicholas Knowles, Kizoom. mailto:schemer@siri.org.uk - - 2004-09-29 - - - 2004-10-01 - - - 2005-02-14 - - - 2005-02-20 - - - 2005-05-11 - - 2007-04-17 + + + + main schema + e-service developers + CEN TC278 WG3 SG7 Team + Europe + Drafted for version 1.0 CEN TC278 WG3 SG7 Editor Nicholas Knowles, Kizoom. mailto:schemer@siri.org.uk + + 2004-09-29 + + + 2004-10-01 + + + 2005-02-14 + + + 2005-02-20 + + + 2005-05-11 + + 2007-04-17 Name Space changes - 2008-03-26 + 2008-03-26 Drop separate flatten structure on response for stopVisit - 2008-05-08 + 2008-05-08 (a) Correct missing type on FeatureRef (b) Add optional MonitoringRef on response so that can return the identfiier even if there are no stop visits. This allows client to be stateless - (a) Add a StopMonitoringMultipleRequest and othe elements top support multiple stops on single request - 2008-10-06 + 2008-10-06 Drop redundant groups - 2008-11-17 + 2008-11-17 Revise to support substitution groups - 2009-03-30 + 2009-03-30 On SiriRequest change the element type of MaximumNumberOfCalls and MaximumNumberOfCallsOnwards from xsd:positiveInteger to xsd:nonNegativeInteger - 2012-03-23 + 2012-03-23 (since SIRI 2.0) [VDV] Add Minimum-StopVisits�PerVia to STopMonitoringRequestPolicy [VDV] Add HasMinimum-StopVisits�Via to STopMonitoringCapabilities @@ -54,48 +54,49 @@ [SIRI-LITE] Allow a monitoring name in results. [SIRI-LITE] Whether any related Situations should be included in the ServiceDelivery. Default is 'false'. (since SIRI 2.0) - 2012-04-18 + 2012-04-18 (since SIRI 2.0) [VDV] Add ValidUntil Time to MonitoredStopVisit Correct comment on MaximumNumberOfCalls elements - 2012-04-18 + 2012-04-18 (since SIRI 2.0) [VDV] Add normal realtiem service Time to MonitoredStopVisit Geeneral update permissions to include has SItuations - 2013-02-11 + 2013-02-11 Correction: ServiceExceptionStatus is optional enumeration value realtmeDataAvailable corrected StopNotice and StopNoticeCancellation added - -

SIRI is a European CEN standard for the exchange of Public Transport real-time information.

-

This sub-schema describes the Stop Monitoring Service.

-
- - text/xml - http://www.w3.org/2001/XMLSchema - XML schema, W3C Recommendation 2001 - - {http://www.siri.org.uk/schema/2.0/}siri_stopMonitoring_service.xsd - [ISO 639-2/B] ENG - Kizoom, 109-123 Clifton Street, London EC4A 4LD - - http://www.siri.org.uk/schema/2.0/xsd/siri/siri_requests.xsd - http://www.siri.org.uk/schema/2.0/xsd/siri_model/siri_journey.xsd - - - CEN, VDV, RTIG 2004-2021 + +

SIRI is a European CEN standard for the exchange of Public Transport real-time information.

+

This sub-schema describes the Stop Monitoring Service.

+
+ + text/xml + http://www.w3.org/2001/XMLSchema + XML schema, W3C Recommendation 2001 + + {http://www.siri.org.uk/schema/2.0/}siri_stopMonitoring_service.xsd + [ISO 639-2/B] ENG + Kizoom, 109-123 Clifton Street, London EC4A 4LD + + http://www.siri.org.uk/schema/2.0/xsd/siri/siri_requests.xsd + http://www.siri.org.uk/schema/2.0/xsd/siri_model/siri_journey.xsd + + + + CEN, VDV, RTIG 2004-2021 - -
    -
  • Derived from the VDV, RTIG XML and Trident standards.
  • -
- - Version 2.1 - - Arts, recreation and travel, Tourism, Travel (tourism), Transport, + +
    +
  • Derived from the VDV, RTIG XML and Trident standards.
  • +
+ + Version 2.1 + + Arts, recreation and travel, Tourism, Travel (tourism), Transport, Air transport, Airports, Ports and maritime transport, Ferries (marine), Public transport, Bus services, Coach services, Bus stops and stations, @@ -103,950 +104,950 @@ Rail transport, Railway stations and track, Train services, Underground trains, Business and industry, Transport, Air transport, Ports and maritime transport, Public transport, Rail transport, Roads and road transport - CEN TC278 WG3 SG7 - - SIRI-SM XML schema. Service Interface for Real-time Information. Subschema for Stop Monitoring Service. - Standard -
-
- SIRI-SM Stop Monitoring Service. -
- - - - - - - - Convenience artifact to pick out main elements of the Stop Monitoring Service. - - - - - - Request for information about Stop Visits, i.e. arrivals and departures at multiple stops. - - - - - - - - - - - - - - - Request for information about Stop Visits, i.e. arrivals and departures at a stop. - - - - - Parameters that specify the content to be returned. - - - - - Forward duration for which Visits should be included, that is, interval before predicted arrival at the stop for which to include Visits: only journeys which will arrive or depart within this time span will be returned. - - - - - Start time for PreviewInterval. If absent, then current time is assumed. - - - - - Reference to Monitoring Point(s) about which data is requested. May be a STOP POINT, timing point, or a group of points under a single reference. - - - - - Filter the results to include only Stop Visits for VEHICLEs run by the specified OPERATOR. - - - - - Filter the results to include only Stop Visits for VEHICLEs for the given LINE. - - - - - Filter the results to include only Stop Visits for vehicles running in a specific relative DIRECTION, for example, "inbound" or "outbound". (Direction does not specify a destination.) - - - - - Filter the results to include only journeys to the DESTINATION of the journey. - - - - - Whether to include arrival Visits, departure Visits, or all. Default is 'all'. - - - - - - - Parameters that affect the request processing. Mostly act to reduce the number of stops returned. - - - - - Preferred languages in which to return text values. - - - - - - The maximum number of Stop Visits to include in a given delivery. The first n Stop Visits within the look ahead window are included. Only Visits within the Lookahead Interval are returned. The MinimumStopVisits parameter can be used to reduce the the number of entries for each LINE within the total returned. - - - - - - The minimum number of Stop Visits for a given LINE to include in a given delivery. If there are more Visits within the LookAheadInterval than allowed by MaximumStopVisits and a MinimumStopVisits value is specified, then at least the minimum number will be delivered for each LINE. I.e Stop Visits will be included even if the Stop Visits are later than those for some other LINE for which the minimum number of Stop Visits has already been supplied. This allows the Consumer to obtain at least one entry for every available LINE with vehicles approaching the stop. Only STOP Visits within the Look ahead Interval are returned. - - - - - The minimum number of Stop Visits for a given LINE and VIA combination to include in a given delivery. As for MinimumStopVisitsPerLine but with Via also taken into account. (since SIRI 2.0) - - - - - - Maximum length of text to return for text elements. Default is 30. - - - - - Level of detail to include in response. Default is 'normal'. - - - - - Whether any related SITUATIONs should be included in the ServiceDelivery. Default is 'false'. (since SIRI 2.0) - - - - - If calls are to be returned, maximum number of calls to include in response. If absent, exclude all calls. - - - - - - Maximum number of ONWARDS CALLs to include in results. Only applies if StopMonitoringDetailLevel of 'calls' specified. Zero for none. If StopMonitoringDetailLevel of 'calls' specified but MaximumNumberOfCalls.Previous absent, include all ONWARDS CALLs. - - - - - Maximum number of ONWARDS CALLs to include in results. Zero for none. Only applies if StopMonitoringDetailLevel of 'calls'specified. Zero for none. If StopMonitoringDetailLevel of 'calls' specified but MaximumNumberOfCalls.Onwards absent, include all ONWARDS CALLs. - - - - - - - - - - Detail Levels for Stop Monitoring Request. - - - - - Return only the minimum amount of optional data for each Stop Visit to provide a display, A time at stop, LINE name and destination name. - - - - - Return minimum and other available basic details for each Stop Visit. Do not include data on times at next stop or destination. - - - - - Return all basic data, and also origin VIA points and destination. - - - - - Return in addition to normal data, the CALL data for each Stop Visit, including PREVIOUS and ONWARD CALLs with passing times. - - - - - Return all available data for each Stop Visit, including calls. - - - - - - - - - Type for Functional Service Request for Stop Monitoring Service. - - - - - - - - - - - Version number of request. + CEN TC278 WG3 SG7 + + SIRI-SM XML schema. Service Interface for Real-time Information. Subschema for Stop Monitoring Service. + Standard +
+
+ SIRI-SM Stop Monitoring Service. +
+ + + + + + + + Convenience artifact to pick out main elements of the Stop Monitoring Service. + + + + + + Request for information about Stop Visits, i.e. arrivals and departures at multiple stops. + + + + + + + + + + + + + + + Request for information about Stop Visits, i.e. arrivals and departures at a stop. + + + + + Parameters that specify the content to be returned. + + + + + Forward duration for which Visits should be included, that is, interval before predicted arrival at the stop for which to include Visits: only journeys which will arrive or depart within this time span will be returned. + + + + + Start time for PreviewInterval. If absent, then current time is assumed. + + + + + Reference to Monitoring Point(s) about which data is requested. May be a STOP POINT, timing point, or a group of points under a single reference. + + + + + Filter the results to include only Stop Visits for VEHICLEs run by the specified OPERATOR. + + + + + Filter the results to include only Stop Visits for VEHICLEs for the given LINE. + + + + + Filter the results to include only Stop Visits for vehicles running in a specific relative DIRECTION, for example, "inbound" or "outbound". (Direction does not specify a destination.) + + + + + Filter the results to include only journeys to the DESTINATION of the journey. + + + + + Whether to include arrival Visits, departure Visits, or all. Default is 'all'. + + + + + + + Parameters that affect the request processing. Mostly act to reduce the number of stops returned. + + + + + Preferred languages in which to return text values. + + + + + + The maximum number of Stop Visits to include in a given delivery. The first n Stop Visits within the look ahead window are included. Only Visits within the Lookahead Interval are returned. The MinimumStopVisits parameter can be used to reduce the the number of entries for each LINE within the total returned. + + + + + + The minimum number of Stop Visits for a given LINE to include in a given delivery. If there are more Visits within the LookAheadInterval than allowed by MaximumStopVisits and a MinimumStopVisits value is specified, then at least the minimum number will be delivered for each LINE. I.e Stop Visits will be included even if the Stop Visits are later than those for some other LINE for which the minimum number of Stop Visits has already been supplied. This allows the Consumer to obtain at least one entry for every available LINE with vehicles approaching the stop. Only STOP Visits within the Look ahead Interval are returned. + + + + + The minimum number of Stop Visits for a given LINE and VIA combination to include in a given delivery. As for MinimumStopVisitsPerLine but with Via also taken into account. (since SIRI 2.0) + + + + + + Maximum length of text to return for text elements. Default is 30. + + + + + Level of detail to include in response. Default is 'normal'. + + + + + Whether any related SITUATIONs should be included in the ServiceDelivery. Default is 'false'. (since SIRI 2.0) + + + + + If calls are to be returned, maximum number of calls to include in response. If absent, exclude all calls. + + + + + + Maximum number of ONWARDS CALLs to include in results. Only applies if StopMonitoringDetailLevel of 'calls' specified. Zero for none. If StopMonitoringDetailLevel of 'calls' specified but MaximumNumberOfCalls.Previous absent, include all ONWARDS CALLs. + + + + + Maximum number of ONWARDS CALLs to include in results. Zero for none. Only applies if StopMonitoringDetailLevel of 'calls'specified. Zero for none. If StopMonitoringDetailLevel of 'calls' specified but MaximumNumberOfCalls.Onwards absent, include all ONWARDS CALLs. + + + + + + + + + + Detail Levels for Stop Monitoring Request. + + + + + Return only the minimum amount of optional data for each Stop Visit to provide a display, A time at stop, LINE name and destination name. + + + + + Return minimum and other available basic details for each Stop Visit. Do not include data on times at next stop or destination. + + + + + Return all basic data, and also origin VIA points and destination. + + + + + Return in addition to normal data, the CALL data for each Stop Visit, including PREVIOUS and ONWARD CALLs with passing times. + + + + + Return all available data for each Stop Visit, including calls. + + + + + + + + + Type for Functional Service Request for Stop Monitoring Service. + + + + + + + + + + + Version number of request. - - - - - - - - Request for information about Stop Visits, i.e. arrivals and departures at multiple stops stop. SIRI 1.3 - - - - - Type for Functional Service Request for Stop Monitoring Service on multiple stops. - - - - - - - Request particulars for an individual stop as part of a list of multiple= requests. - - - - - - - - - - Type for an individual Stop Monitoring a Multiple Request. - - - - - - - - - - - Request for a subscription to Stop Monitoring Service. - - - - - Parameters that affect the subscription publishing and notification processing. - - - - - Whether the producer should return the complete set of current data, or only provide updates to the last data returned, i.e. additions, modifications and deletions. + + + + + + + + Request for information about Stop Visits, i.e. arrivals and departures at multiple stops stop. SIRI 1.3 + + + + + Type for Functional Service Request for Stop Monitoring Service on multiple stops. + + + + + + + Request particulars for an individual stop as part of a list of multiple= requests. + + + + + + + + + + Type for an individual Stop Monitoring a Multiple Request. + + + + + + + + + + + Request for a subscription to Stop Monitoring Service. + + + + + Parameters that affect the subscription publishing and notification processing. + + + + + Whether the producer should return the complete set of current data, or only provide updates to the last data returned, i.e. additions, modifications and deletions. If false each subscription response will contain the full information as specified in this request. - - - - - The amount of change to the arrival or departure time that can happen before an update is sent (i.e. if ChangeBeforeUpdate is set to 2 minutes, the subscriber will not be told that a bus is 30 seconds delayed - an update will only be sent when the bus is at least 2 minutes delayed). Default is zero - all changes will be sent regardless. - - - - - - - Type for Subscription Request for Stop Monitoring Service. - - - - - - - - - - - - - - - - - - Parameters that affect the subscription publishing and notification processing. - - - - - - Delivery for Stop Monitoring Service. - - - - - Type for Delivery for Stop Monitoring Service. - - - - - - - - Text associated with whole delivery. (Unbounded since SIRI 2.0) - - - - - - - Version number of response. Fixed + + + + + The amount of change to the arrival or departure time that can happen before an update is sent (i.e. if ChangeBeforeUpdate is set to 2 minutes, the subscriber will not be told that a bus is 30 seconds delayed - an update will only be sent when the bus is at least 2 minutes delayed). Default is zero - all changes will be sent regardless. + + + + + + + Type for Subscription Request for Stop Monitoring Service. + + + + + + + + + + + + + + + + + + Parameters that affect the subscription publishing and notification processing. + + + + + + Delivery for Stop Monitoring Service. + + + + + Type for Delivery for Stop Monitoring Service. + + + + + + + + Text associated with whole delivery. (Unbounded since SIRI 2.0) + + + + + + + Version number of response. Fixed - - - - - - - - Payload part of Stop Monitoring Service delivery. - - - - - Reference to a stop monitoring point (LOGICAL DISPLAY that was requested. This can a be used to return the reference to the requested Monitoring Point if there are no stop visits for the stop. Normally tere will only be one. SIRI v1.3 - - - - - Name to use to describe monitoring point (Stop or display). Normally Consumer will already have access to this in its reference data but may be included to increase utility of delivery data i to devices that do not hold reference data, e.g. for SIRI LITE services((since SIRI 2.0)). - - - - - - - - - Notice for stop. (SIRI 2.0++) - - - - - Reference to an previously communicated Notice which should now be removed from the arrival/departure board for the stop. (SIRI 2.0++) - - - - - Information about unavailablilty of some or all services at the SIRI 2.0 - - - - - - - External identifiers of Stop Visit. - - - - - Reference to a stop monitoring point to which Stop Visit applies. - - - - - Identifier associated with Stop Visit for use in direct wireless communication between bus and stop display. Cleardown codes are short arbitrary identifiers suitable for radio transmission. - - - - - - - - A visit to a stop by a VEHICLE as an arrival and /or departure. - - - - - Type for Visit of a VEHICLE to a stop monitoring point. May provide information about the arrival, the departure or both. - - - - - - - Time until when data is valid. (since SIRI 2.0) - - - - - - Provides real-time information about the VEHICLE JOURNEY along which a VEHICLE is running. - - - - - Text associated with Stop Visit. - - - - - Facility associated with stop visit - - - - - - - - - - Visit Types to Return. - - - - - Return all Stop Visits. - - - - - Return only arrival Stop Visits. - - - - - Return only departure Stop Visits. - - - - - - - - Reference to an previously communicated Stop Visit which should now be removed from the arrival/departure board for the stop. - - - - - Type for Cancellation of an earlier Stop Visit. - - - - - - - - Cleardown identifier of Stop Visit that is being deleted. - - - - - - Reason for cancellation. (Unbounded since SIRI 2.0) - - - - - - - - - - External identifiers of Cancelled Stop Visit. - - - - - Reference to a stop monitoring point to which cancellation applies. - - - - - - - VEHICLE JOURNEY of Stop Visit that is being cancelled. - - - - - - - - LINE notice for stop. - - - - - Type for a Stop Line Notice. - - - - - - - Reference to a stop monitoring point to which LINE notice applies. - - - - - - Name or Number by which the LINE is known to the public. (since SIRI 2.0) - - - - - Special text associated with LINE. - - - - - Variant of a notice for use in a particular media channel. (since SIRI 2.0) - - - - - - - - - - - Type for Delivery Variant (since SIRI 2.0) - - - - - Classification of DELIVERY VARIANT (since SIRI 2.0). - - - - - Variant text. SIRI v".0 - - - - - - - - Reference to an previously communicated LINE notice which should now be removed from the arrival/departure board for the stop. - - - - - Type for Cancellation of an earlier Stop Line Notice. - - - - - - - Reference to a stop monitoring point to which LINE notice applies. - - - - - - - - - - - - Notice for stop. - - - - - Type for Notice for stop - - - - - - - Reference to a stop monitoring point to which SITUATION applies. - - - - - - - Text associated with Stop Notice ed since SIRI 2.0) - - - - - - - - - - - Reference to an previously communicated Notice which should now be removed from the arrival/departure board for the stop. - - - - - Type for Cancellation of an earlier Stop Notice. - - - - - - - Reference to a stop monitoring point to which Notice applies. - - - - - - In case of a delayed cancellation this time tells from when the cancellation applies. - - - - - - - - - - - Exceptions to service availability for all or some services SIRI 2.0 - - - - - Type for whether service is unavailable for all or some services SIRI 2.0 - - - - - - - - Reference to a LINE DIRECTION to which exception applies. - - - - - - Status of service, Service not yet started, Service ended for day, no service today, etc. - - - - - Text explanation of service exception. - - - - - Reference to a SITUATION providing further information about exception - - - - - - - - - Classification of the service exception - - - - - No transport services returned because currently before first journey of day. - - - - - No transport services returned because currently after first journey of day. - - - - - No transport services returned because no services today. - - - - - No transport services returned because services currently suspended. - - - - - No transport services returned because prolonged suspension of services. - - - - - Transport services returned subject to severe disruptions. - - - - - No transport services returned because real-time services not available. - - - - - - - - - - Type for Deliveries for Stop Monitoring Service. Used in WSDL. - - - - - Delivery for Stop Event service. - - - - - - - - - Request for information about Stop Monitoring Service Capabilities. Answered with StopMonitoringCapabilitiesResponse. - - - - - - Capabilities for Stop Monitoring Service. Answers a StopMonitoringCapabilitiesRequest. - - - - - Type for Delivery for Stop Monitoring Service. - - - - - - - - - - - Version number of response. Fixed + + + + + + + + Payload part of Stop Monitoring Service delivery. + + + + + Reference to a stop monitoring point (LOGICAL DISPLAY that was requested. This can a be used to return the reference to the requested Monitoring Point if there are no stop visits for the stop. Normally tere will only be one. SIRI v1.3 + + + + + Name to use to describe monitoring point (Stop or display). Normally Consumer will already have access to this in its reference data but may be included to increase utility of delivery data i to devices that do not hold reference data, e.g. for SIRI LITE services((since SIRI 2.0)). + + + + + + + + + Notice for stop. (SIRI 2.0++) + + + + + Reference to an previously communicated Notice which should now be removed from the arrival/departure board for the stop. (SIRI 2.0++) + + + + + Information about unavailablilty of some or all services at the SIRI 2.0 + + + + + + + External identifiers of Stop Visit. + + + + + Reference to a stop monitoring point to which Stop Visit applies. + + + + + Identifier associated with Stop Visit for use in direct wireless communication between bus and stop display. Cleardown codes are short arbitrary identifiers suitable for radio transmission. + + + + + + + + A visit to a stop by a VEHICLE as an arrival and /or departure. + + + + + Type for Visit of a VEHICLE to a stop monitoring point. May provide information about the arrival, the departure or both. + + + + + + + Time until when data is valid. (since SIRI 2.0) + + + + + + Provides real-time information about the VEHICLE JOURNEY along which a VEHICLE is running. + + + + + Text associated with Stop Visit. + + + + + Facility associated with stop visit + + + + + + + + + + Visit Types to Return. + + + + + Return all Stop Visits. + + + + + Return only arrival Stop Visits. + + + + + Return only departure Stop Visits. + + + + + + + + Reference to an previously communicated Stop Visit which should now be removed from the arrival/departure board for the stop. + + + + + Type for Cancellation of an earlier Stop Visit. + + + + + + + + Cleardown identifier of Stop Visit that is being deleted. + + + + + + Reason for cancellation. (Unbounded since SIRI 2.0) + + + + + + + + + + External identifiers of Cancelled Stop Visit. + + + + + Reference to a stop monitoring point to which cancellation applies. + + + + + + + VEHICLE JOURNEY of Stop Visit that is being cancelled. + + + + + + + + LINE notice for stop. + + + + + Type for a Stop Line Notice. + + + + + + + Reference to a stop monitoring point to which LINE notice applies. + + + + + + Name or Number by which the LINE is known to the public. (since SIRI 2.0) + + + + + Special text associated with LINE. + + + + + Variant of a notice for use in a particular media channel. (since SIRI 2.0) + + + + + + + + + + + Type for Delivery Variant (since SIRI 2.0) + + + + + Classification of DELIVERY VARIANT (since SIRI 2.0). + + + + + Variant text. SIRI v".0 + + + + + + + + Reference to an previously communicated LINE notice which should now be removed from the arrival/departure board for the stop. + + + + + Type for Cancellation of an earlier Stop Line Notice. + + + + + + + Reference to a stop monitoring point to which LINE notice applies. + + + + + + + + + + + + Notice for stop. + + + + + Type for Notice for stop + + + + + + + Reference to a stop monitoring point to which SITUATION applies. + + + + + + + Text associated with Stop Notice ed since SIRI 2.0) + + + + + + + + + + + Reference to an previously communicated Notice which should now be removed from the arrival/departure board for the stop. + + + + + Type for Cancellation of an earlier Stop Notice. + + + + + + + Reference to a stop monitoring point to which Notice applies. + + + + + + In case of a delayed cancellation this time tells from when the cancellation applies. + + + + + + + + + + + Exceptions to service availability for all or some services SIRI 2.0 + + + + + Type for whether service is unavailable for all or some services SIRI 2.0 + + + + + + + + Reference to a LINE DIRECTION to which exception applies. + + + + + + Status of service, Service not yet started, Service ended for day, no service today, etc. + + + + + Text explanation of service exception. + + + + + Reference to a SITUATION providing further information about exception + + + + + + + + + Classification of the service exception + + + + + No transport services returned because currently before first journey of day. + + + + + No transport services returned because currently after first journey of day. + + + + + No transport services returned because no services today. + + + + + No transport services returned because services currently suspended. + + + + + No transport services returned because prolonged suspension of services. + + + + + Transport services returned subject to severe disruptions. + + + + + No transport services returned because real-time services not available. + + + + + + + + + + Type for Deliveries for Stop Monitoring Service. Used in WSDL. + + + + + Delivery for Stop Event service. + + + + + + + + + Request for information about Stop Monitoring Service Capabilities. Answered with StopMonitoringCapabilitiesResponse. + + + + + + Capabilities for Stop Monitoring Service. Answers a StopMonitoringCapabilitiesRequest. + + + + + Type for Delivery for Stop Monitoring Service. + + + + + + + + + + + Version number of response. Fixed - - - - - - - - Capabilities of StopMonitoring Service. - - - - - Type for Stop Monitoring Capabilities. - - - - - - - Available Filtering Capabilities. - - - - - - Default preview interval. Default is 60 minutes. - - - - - Whether a start time other than now can be specified for preview interval. Default is 'true'. - - - - - - - - - Whether results can be filtered by VistitType, e.g. arrivals, departures. Default True. - - - - - - - - Available Request Policy capabilities. - - - - - - - - - - - - - - Available Subscription Policy capabilities. - - - - - Available Optional Access control capabilities. - - - - - Available Optional Response capabilities. - - - - - - Whether result supports LINE events. Default is 'true'. - - - - - Whether result supports SITUATION REFERENCESs. Default is 'false'. (since SIRI 2.0) - - - - - - - - - - - - Type for Monitoring Service Capability Request Policy. - - - - - - - Whether results can return references for stops. Default is 'true'. - - - - - Whether results can return names for stop. - - - - - - - - - - Participants permissions to use the service, Only returned if requested. - - - - - - - - Permission for a single participant or all participants to use an aspect of the service. - - - - - - - - - - Elements for volume control. - - - - - Whether Detail level filtering is supported. Default is ' false'. - - - - - Default Detail level if non specified on request. Default Normal. - - - - - Whether results can be limited to a maximum number. Default is 'true'. - - - - - Whether results can be limited to include a minimum number per LINE. Default is 'true'. - - - - - Whether results can be limited to include a minimum numVIA (i.e. per JOURNEY PATTERN). (since SIRI 2.0). + + + + + + + + Capabilities of StopMonitoring Service. + + + + + Type for Stop Monitoring Capabilities. + + + + + + + Available Filtering Capabilities. + + + + + + Default preview interval. Default is 60 minutes. + + + + + Whether a start time other than now can be specified for preview interval. Default is 'true'. + + + + + + + + + Whether results can be filtered by VistitType, e.g. arrivals, departures. Default True. + + + + + + + + Available Request Policy capabilities. + + + + + + + + + + + + + + Available Subscription Policy capabilities. + + + + + Available Optional Access control capabilities. + + + + + Available Optional Response capabilities. + + + + + + Whether result supports LINE events. Default is 'true'. + + + + + Whether result supports SITUATION REFERENCESs. Default is 'false'. (since SIRI 2.0) + + + + + + + + + + + + Type for Monitoring Service Capability Request Policy. + + + + + + + Whether results can return references for stops. Default is 'true'. + + + + + Whether results can return names for stop. + + + + + + + + + + Participants permissions to use the service, Only returned if requested. + + + + + + + + Permission for a single participant or all participants to use an aspect of the service. + + + + + + + + + + Elements for volume control. + + + + + Whether Detail level filtering is supported. Default is ' false'. + + + + + Default Detail level if non specified on request. Default Normal. + + + + + Whether results can be limited to a maximum number. Default is 'true'. + + + + + Whether results can be limited to include a minimum number per LINE. Default is 'true'. + + + + + Whether results can be limited to include a minimum numVIA (i.e. per JOURNEY PATTERN). (since SIRI 2.0). default is 'false'. - - - - - If system can return detailed calling pattern, whether a number of onwards calls to include can be specified. Default is 'false'. - - - - - If system can return detailed calling pattern, whether a number of previouscalls to include can be specified. Default is 'false'. - - - - - - - - Type for Monitoring Service Permission. - - - - - - - - - The monitoring points that the participant may access. - - - - - - - Participant's permission for this Monitoring Point (LOGICAL DISPLAY) - - - - - - - - - - + + + + + If system can return detailed calling pattern, whether a number of onwards calls to include can be specified. Default is 'false'. + + + + + If system can return detailed calling pattern, whether a number of previouscalls to include can be specified. Default is 'false'. + + + + + + + + Type for Monitoring Service Permission. + + + + + + + + + The monitoring points that the participant may access. + + + + + + + Participant's permission for this Monitoring Point (LOGICAL DISPLAY) + + + + + + + + + +
diff --git a/xsd/siri_stopTimetable_service.xsd b/xsd/siri_stopTimetable_service.xsd index 92c30b07..364bdf0b 100644 --- a/xsd/siri_stopTimetable_service.xsd +++ b/xsd/siri_stopTimetable_service.xsd @@ -1,41 +1,41 @@ - - - - main schema - e-service developers - CEN TC278 WG3 SG7 Team - Europe - Drafted for version 1.0 CEN TC278 WG3 SG7 Editor Nicholas Knowles, Kizoom. mailto:schemer@siri.org.uk - - 2004-09-29 - - - 2004-10-01 - - - 2005-02-14 - - - 2005-02-20 - - - 2005-05-11 - - 2005-12-12 + + + + main schema + e-service developers + CEN TC278 WG3 SG7 Team + Europe + Drafted for version 1.0 CEN TC278 WG3 SG7 Editor Nicholas Knowles, Kizoom. mailto:schemer@siri.org.uk + + 2004-09-29 + + + 2004-10-01 + + + 2005-02-14 + + + 2005-02-20 + + + 2005-05-11 + + 2005-12-12 2005 12 07 Correct Spelling of StopMonitorPermissionTag - 2007-04-17 + 2007-04-17 Name Space changes - 2007-03-26 + 2007-03-26 Drop separate flatten structure on response for stopVisit - 2008-11-17 + 2008-11-17 Revise to support substitution groups - 2012-03-23 + 2012-03-23 (since SIRI 2.0) Improve modualirisatuioin Factor out permissions to commomn files @@ -43,34 +43,35 @@ create separate structure for StopTimetablePermissionStructure create separate structure for StopTimetableCapabilityRequestPolicyStructure - -

SIRI is a European CEN standard for the exchange of Public Transport real-time information.

-

This sub-schema describes the Stop Timetable Service.

-
- - text/xml - http://www.w3.org/2001/XMLSchema - XML schema, W3C Recommendation 2001 - - {http://www.siri.org.uk/schema/2.0/xsd/}siri_stopTmetable_service.xsd - [ISO 639-2/B] ENG - Kizoom, 109-123 Clifton Street, London EC4A 4LD - - http://www.siri.org.uk/schema/2.0/xsd/siri/siri_requests.xsd - http://www.siri.org.uk/schema/2.0/xsd/siri_model/siri_journey.xsd - http://www.siri.org.uk/schema/2.0/xsd/siri_model/siri_modelPermissions.xsd - - - CEN, VDV, RTIG 2004-2021 + +

SIRI is a European CEN standard for the exchange of Public Transport real-time information.

+

This sub-schema describes the Stop Timetable Service.

+
+ + text/xml + http://www.w3.org/2001/XMLSchema + XML schema, W3C Recommendation 2001 + + {http://www.siri.org.uk/schema/2.0/xsd/}siri_stopTmetable_service.xsd + [ISO 639-2/B] ENG + Kizoom, 109-123 Clifton Street, London EC4A 4LD + + http://www.siri.org.uk/schema/2.0/xsd/siri/siri_requests.xsd + http://www.siri.org.uk/schema/2.0/xsd/siri_model/siri_journey.xsd + http://www.siri.org.uk/schema/2.0/xsd/siri_model/siri_modelPermissions.xsd + + + + CEN, VDV, RTIG 2004-2021 - -
    -
  • Derived from the VDV, RTIG XML and Trident standards.
  • -
- - Version 2.1 - - Arts, recreation and travel, Tourism, Travel (tourism), Transport, + +
    +
  • Derived from the VDV, RTIG XML and Trident standards.
  • +
+ + Version 2.1 + + Arts, recreation and travel, Tourism, Travel (tourism), Transport, Air transport, Airports, Ports and maritime transport, Ferries (marine), Public transport, Bus services, Coach services, Bus stops and stations, @@ -78,386 +79,386 @@ Rail transport, Railway stations and track, Train services, Underground trains, Business and industry, Transport, Air transport, Ports and maritime transport, Public transport, Rail transport, Roads and road transport - CEN TC278 WG3 SG7 - - SIRI XML schema. Service Interface for Real-time Information. Subschema for Stop Timetable Service. - Standard -
-
- SIRI-ST Stop Timetable Service. -
- - - - - - - Convenience artifact to pick out main elements of the Stop Timetable Service. - - - - - - - - - - - - - - Request for information about Stop Visits, i.e. arrival and departure at a stop. - - - - - - - Type for Functional Service Request for Stop Timetables. - - - - - - - - - - - Version number of request. Fixed + CEN TC278 WG3 SG7 + + SIRI XML schema. Service Interface for Real-time Information. Subschema for Stop Timetable Service. + Standard +
+
+ SIRI-ST Stop Timetable Service. +
+ + + + + + + Convenience artifact to pick out main elements of the Stop Timetable Service. + + + + + + + + + + + + + + Request for information about Stop Visits, i.e. arrival and departure at a stop. + + + + + + + Type for Functional Service Request for Stop Timetables. + + + + + + + + + + + Version number of request. Fixed - - - - - - - - Parameters that specify the content to be returned. - - - - - Earliest and latest departure time. If absent, default to the data horizon of the service. - - - - - The stop monitoring point about which data is requested. May be a STOP POINT, timing point or other display point. - - - - - Filter the results to include only data for journeys for the given LINE. - - - - - Filter the results to include only data for journeys running in a specific relative DIRECTION, for example, "inbound" or "outbound". - - - - - - - Parameters that affect the request processing. Mostly act to reduce the number of stops returned. - - - - - Preferred languages in which to return text values. - - - - - - - - - Request for a subscription to Stop TimetablesService. - - - - - Parameters that affect the subscription publishing and notification processing. - - - - - Whether the producer should return the complete set of current data, or only provide updates to the last data returned, i.e. additions, modifications and deletions. + + + + + + + + Parameters that specify the content to be returned. + + + + + Earliest and latest departure time. If absent, default to the data horizon of the service. + + + + + The stop monitoring point about which data is requested. May be a STOP POINT, timing point or other display point. + + + + + Filter the results to include only data for journeys for the given LINE. + + + + + Filter the results to include only data for journeys running in a specific relative DIRECTION, for example, "inbound" or "outbound". + + + + + + + Parameters that affect the request processing. Mostly act to reduce the number of stops returned. + + + + + Preferred languages in which to return text values. + + + + + + + + + Request for a subscription to Stop TimetablesService. + + + + + Parameters that affect the subscription publishing and notification processing. + + + + + Whether the producer should return the complete set of current data, or only provide updates to the last data returned, i.e. additions, modifications and deletions. If false each subscription response will contain the full information as specified in this request. - - - - - The amount of change to the arrival or departure time that can happen before an update is sent (i.e. if ChangeBeforeUpdate is set to 2 minutes, the subscriber will not be told that a bus is 30 seconds delayed - an update will only be sent when the bus is at least 2 minutes delayed). Default is zero - all changes will be sent regardless. - - - - - - - Subscription Request for Stop Timetables. - - - - - - - - - - - - - - - - Delivery for Stop Timetable Service. - - - - - Data type Delivery for Stop Timetable Service. - - - - - - - - - - Version number of response. Fixed + + + + + The amount of change to the arrival or departure time that can happen before an update is sent (i.e. if ChangeBeforeUpdate is set to 2 minutes, the subscriber will not be told that a bus is 30 seconds delayed - an update will only be sent when the bus is at least 2 minutes delayed). Default is zero - all changes will be sent regardless. + + + + + + + Subscription Request for Stop Timetables. + + + + + + + + + + + + + + + + Delivery for Stop Timetable Service. + + + + + Data type Delivery for Stop Timetable Service. + + + + + + + + + + Version number of response. Fixed - - - - - - - - Payload part of Stop Timetable delivery. - - - - - A visit to a stop by a VEHICLE as an arrival and /or departure, as timetabled in the production timetable. - - - - - A cancellation of a previously issued TimetabledStopVisit. - - - - - - - - Type for Timetabled Visit of a VEHICLE to a stop. May provide information about the arrival, the departure or both. - - - - - - - Reference to a stop monitoring point / LOGICAL DISPLAY to which Stop Visit applies. - - - - - - - - - - - Type for Cancellation of Timetabled Visit of a VEHICLE to a stop. May provide information about the arrival, the departure or both. - - - - - - - Reference to a stop monitoring point to which Stop Visit applies. - - - - - - - - Reason for cancellation. (Unbounded since SIRI 2.0) - - - - - - - - - - - - Type for stop timetable deliveries. Used in WSDL. - - - - - - - - - - - Request for information about Stop Timetable Service Capabilities Answered with a StopTimetableCapabilitiesResponse. - - - - - - Delivery for Stop Timetable Service. Answers a StopTimetableCapabilitiesRequest. - - - - - Type for Delivery for Stop Timetable Service. - - - - - - - - - - - Version number of response. Fixed + + + + + + + + Payload part of Stop Timetable delivery. + + + + + A visit to a stop by a VEHICLE as an arrival and /or departure, as timetabled in the production timetable. + + + + + A cancellation of a previously issued TimetabledStopVisit. + + + + + + + + Type for Timetabled Visit of a VEHICLE to a stop. May provide information about the arrival, the departure or both. + + + + + + + Reference to a stop monitoring point / LOGICAL DISPLAY to which Stop Visit applies. + + + + + + + + + + + Type for Cancellation of Timetabled Visit of a VEHICLE to a stop. May provide information about the arrival, the departure or both. + + + + + + + Reference to a stop monitoring point to which Stop Visit applies. + + + + + + + + Reason for cancellation. (Unbounded since SIRI 2.0) + + + + + + + + + + + + Type for stop timetable deliveries. Used in WSDL. + + + + + + + + + + + Request for information about Stop Timetable Service Capabilities Answered with a StopTimetableCapabilitiesResponse. + + + + + + Delivery for Stop Timetable Service. Answers a StopTimetableCapabilitiesRequest. + + + + + Type for Delivery for Stop Timetable Service. + + + + + + + + + + + Version number of response. Fixed - - - - - - - - Capabilities of Stop Timetable Service. - - - - - Type for Capabilities of Stop Timetable Service. - - - - - - - Available Filtering Capabilities. - - - - - - - - - - - - Available request policy options. - - - - - Access control that can be used. - - - - - - - - - - - - - - - - - - - - - Type for Monitoring Service Capability Request Policy. - - - - - - - Whether results can return references for stops. Default is 'true'. - - - - - Whether results can return names for stop. - - - - - - - - - Participant's permissions to use the service. - - - - - - - - Permission for a single participant or all participants to use an aspect of the service. - - - - - - - - - - - - Type for Monitoring Service Permission. - - - - - - - - - The monitoring points that the participant may access. - - - - - - - Participant's permission for this Monitoring Point (LOGICAL DISPLAY) - - - - - - - - - - + + + + + + + + Capabilities of Stop Timetable Service. + + + + + Type for Capabilities of Stop Timetable Service. + + + + + + + Available Filtering Capabilities. + + + + + + + + + + + + Available request policy options. + + + + + Access control that can be used. + + + + + + + + + + + + + + + + + + + + + Type for Monitoring Service Capability Request Policy. + + + + + + + Whether results can return references for stops. Default is 'true'. + + + + + Whether results can return names for stop. + + + + + + + + + Participant's permissions to use the service. + + + + + + + + Permission for a single participant or all participants to use an aspect of the service. + + + + + + + + + + + + Type for Monitoring Service Permission. + + + + + + + + + The monitoring points that the participant may access. + + + + + + + Participant's permission for this Monitoring Point (LOGICAL DISPLAY) + + + + + + + + + +
diff --git a/xsd/siri_utility/siri_all_utility.xsd b/xsd/siri_utility/siri_all_utility.xsd index cea265c9..f15fb242 100644 --- a/xsd/siri_utility/siri_all_utility.xsd +++ b/xsd/siri_utility/siri_all_utility.xsd @@ -4,11 +4,11 @@ --> - - - - - - - + + + + + + + diff --git a/xsd/siri_utility/siri_location.xsd b/xsd/siri_utility/siri_location.xsd index 12af18dc..9ba2da4c 100644 --- a/xsd/siri_utility/siri_location.xsd +++ b/xsd/siri_utility/siri_location.xsd @@ -1,64 +1,65 @@ - - - - main schema - e-service developers - CEN TC278 WG3 SG9 Team. - Europe - First drafted for version 1.0 CEN TC278 WG3 SG9 Editor Nicholas Knowles. mailto:schemer@siri.org.uk - - 2004-09-29 - - - 2004-10-01 - - - 2005-02-14 - - - 2005-05-11 - - - 2005-05-04 - - - 2007-03-29 - - - 2012-03-23 - - - - 2012-05-10 - - - -

SIRI is a European CEN standard for the exchange of real-time information. This subschema defines geospatial location elements

-
- - text/xml - http://www.w3.org/2001/XMLSchema - XML schema, W3C Recommendation 2001 - - {http://www.siri.org.uk/schema/2.0/xsd/siri_utility/}siri_location.xsd - [ISO 639-2/B] ENG - CEN - - CEN, VDV, RTIG 2004-2021 + + +

SIRI is a European CEN standard for the exchange of real-time information. This subschema defines geospatial location elements

+
+ + text/xml + http://www.w3.org/2001/XMLSchema + XML schema, W3C Recommendation 2001 + + {http://www.siri.org.uk/schema/2.0/xsd/siri_utility/}siri_location.xsd + [ISO 639-2/B] ENG + CEN + + + CEN, VDV, RTIG 2004-2021 - -
    -
  • Derived from the VDV, RTIG XML and Trident standards.
  • -
- - Version 2.1 - - Arts, recreation and travel, Tourism, Travel (tourism), Transport, + +
    +
  • Derived from the VDV, RTIG XML and Trident standards.
  • +
+ + Version 2.1 + + Arts, recreation and travel, Tourism, Travel (tourism), Transport, Air transport, Airports, Ports and maritime transport, Ferries (marine), Public transport, Bus services, Coach services, Bus stops and stations, @@ -66,205 +67,205 @@ Rail transport, Railway stations and track, Train services, Underground trains, Business and industry, Transport, Air transport, Ports and maritime transport, Public transport, Rail transport, Roads and road transport - CEN TC278 WG3 SG9. - - SIRI XML schema. Geo spatial location subschema - Standard -
-
- SIRI Framewrok Location Types. -
- - - - - - - - Longitude from Greenwich. - - - - - - - - - Latitude from equator. - - - - - - - - - Altitude metres from sea level. - - - - - - - - - WGS84 Coordinates. - - - - - Longitude from Greenwich Meridian. -180 (West) to +180 (East). Decimal degrees, e.g. 2.356 - - - - - Latitude from equator. -90 (South) to +90 (North). Decimal degrees, e.g. 56.356 - - - - - Altitude metres from sea level. - - - - - - - Type for GM Coordinates. - - - - - - - - Type for coordinate reference system. - - - - - - GML Spatial coordinate reference system. - - - - - - Type for geospatial Position of a point. May be expressed in concrete WGS 84 Coordinates or any gml compatible point coordinates format. - - - - - - - - - Coordinates of points in a GML compatibe format, as indicated by srsName attribute. - - - - - - Precision for point measurement. In meters. - - - - - - Identifier of POINT. - - - - - identifier of data reference system for geocodes if point is specified as gml compatible Coordinates. A gml value. If not specified taken from system configuration. - - - - - - Defines a bounding box using two corner points. GML terminology. (since SIRI 2.0) - - - - - Upper Left corner as a geospatial point. - - - - - Lower right corner as a geospatial point. - - - - - - - Defines a line shape (since SIRI 2.0) - - - - - A geospatial point. (since SIRI 2.0) - - - - - - - Type for a circular area centered around a point that may be expressed in concrete WGS 84 Coordinates or any gml compatible point coordinates format. (since SIRI 2.1) - - - - - - - Radius around the center point in meters. - - - - - - - - - Bounding box, circular area or gml:polyon of the area where stops of a flexible service are called. (since SIRI 2.1) + CEN TC278 WG3 SG9. + + SIRI XML schema. Geo spatial location subschema + Standard + + + SIRI Framewrok Location Types. + + + + + + + + + Longitude from Greenwich. + + + + + + + + + Latitude from equator. + + + + + + + + + Altitude metres from sea level. + + + + + + + + + WGS84 Coordinates. + + + + + Longitude from Greenwich Meridian. -180 (West) to +180 (East). Decimal degrees, e.g. 2.356 + + + + + Latitude from equator. -90 (South) to +90 (North). Decimal degrees, e.g. 56.356 + + + + + Altitude metres from sea level. + + + + + + + Type for GM Coordinates. + + + + + + + + Type for coordinate reference system. + + + + + + GML Spatial coordinate reference system. + + + + + + Type for geospatial Position of a point. May be expressed in concrete WGS 84 Coordinates or any gml compatible point coordinates format. + + + + + + + + + Coordinates of points in a GML compatibe format, as indicated by srsName attribute. + + + + + + Precision for point measurement. In meters. + + + + + + Identifier of POINT. + + + + + identifier of data reference system for geocodes if point is specified as gml compatible Coordinates. A gml value. If not specified taken from system configuration. + + + + + + Defines a bounding box using two corner points. GML terminology. (since SIRI 2.0) + + + + + Upper Left corner as a geospatial point. + + + + + Lower right corner as a geospatial point. + + + + + + + Defines a line shape (since SIRI 2.0) + + + + + A geospatial point. (since SIRI 2.0) + + + + + + + Type for a circular area centered around a point that may be expressed in concrete WGS 84 Coordinates or any gml compatible point coordinates format. (since SIRI 2.1) + + + + + + + Radius around the center point in meters. + + + + + + + + + Bounding box, circular area or gml:polyon of the area where stops of a flexible service are called. (since SIRI 2.1) A flexible area is used in cases where a pre-booked service allows pick-up/drop-off anywhere in a designated area and provides a possible interchange to a higher-frequency service. - - - - - Flexible area specified as a rectangular bounding box. - - - - - Flexible area specified as a circular area (center coordinates and radius). - - - - - Flexible area specified as a gml:Polygon that consists of an interior and exterior linear ring. - - - - - - - - Distance (metres) as defined by http://www.ordnancesurvey.co.uk/xml/resource/units.xml#metres. ALternative units may be specifed by context. - - - - - - Distance (metres per second) ALternative unist may be specifed by context. - - - - - - Type for absolute bearing. - - - + + + + + Flexible area specified as a rectangular bounding box. + + + + + Flexible area specified as a circular area (center coordinates and radius). + + + + + Flexible area specified as a gml:Polygon that consists of an interior and exterior linear ring. + + + + + + + + Distance (metres) as defined by http://www.ordnancesurvey.co.uk/xml/resource/units.xml#metres. ALternative units may be specifed by context. + + + + + + Distance (metres per second) ALternative unist may be specifed by context. + + + + + + Type for absolute bearing. + + +
diff --git a/xsd/siri_utility/siri_participant.xsd b/xsd/siri_utility/siri_participant.xsd index 18edb961..87f0f767 100644 --- a/xsd/siri_utility/siri_participant.xsd +++ b/xsd/siri_utility/siri_participant.xsd @@ -1,51 +1,52 @@ - - - - - main schema - e-service developers - CEN TC278 WG3 SG9 Team. - Europe - First drafted for version 1.0 CEN TC278 WG3 SG9 Editor Nicholas Knowles. mailto:schemer@siri.org.uk - - 2004-09-29 - - - 2007-05-15 - - - 2008-07-015 - - - - 2012-03-22 - + + + + main schema + e-service developers + CEN TC278 WG3 SG9 Team. + Europe + First drafted for version 1.0 CEN TC278 WG3 SG9 Editor Nicholas Knowles. mailto:schemer@siri.org.uk + + 2004-09-29 + + + 2007-05-15 + + + 2008-07-015 + + + + 2012-03-22 + - - -

SIRI is a European CEN standard for the exchange of real-time information. This subschema defines common Participant type elements

-
- - text/xml - http://www.w3.org/2001/XMLSchema - XML schema, W3C Recommendation 2001 - - {http://www.siri.org.uk/schema/2.0/xsd/siri_utility/}siri_participant.xsd - [ISO 639-2/B] ENG - Kizoom, 109-123 Clifton Street, London EC4A 4LD - - CEN, VDV, RTIG 2004-2021 - - -
    -
  • Derived from the VDV, RTIGXML and Trident standards.
  • -
- - Version 2.1 - - Arts, recreation and travel, Tourism, Travel (tourism), Transport, +
+ +

SIRI is a European CEN standard for the exchange of real-time information. This subschema defines common Participant type elements

+
+ + text/xml + http://www.w3.org/2001/XMLSchema + XML schema, W3C Recommendation 2001 + + {http://www.siri.org.uk/schema/2.0/xsd/siri_utility/}siri_participant.xsd + [ISO 639-2/B] ENG + Kizoom, 109-123 Clifton Street, London EC4A 4LD + + + CEN, VDV, RTIG 2004-2021 + + +
    +
  • Derived from the VDV, RTIGXML and Trident standards.
  • +
+ + Version 2.1 + + Arts, recreation and travel, Tourism, Travel (tourism), Transport, Air transport, Airports, Ports and maritime transport, Ferries (marine), Public transport, Bus services, Coach services, Bus stops and stations, @@ -53,27 +54,27 @@ Rail transport, Railway stations and track, Train services, Underground trains, Business and industry, Transport, Air transport, Ports and maritime transport, Public transport, Rail transport, Roads and road transport - CEN TC278 WG3 SG9. - - SIRI XML schema. Participant type elements. - Standard -
-
- SIRI Framework Participant Types. -
- - - - Type for Unique identifier of participant. - - - - - - Reference to Unique identifier of participant. - - - - - + CEN TC278 WG3 SG9. + + SIRI XML schema. Participant type elements. + Standard + + + SIRI Framework Participant Types. + + + + + Type for Unique identifier of participant. + + + + + + Reference to Unique identifier of participant. + + + + +
diff --git a/xsd/siri_utility/siri_permissions.xsd b/xsd/siri_utility/siri_permissions.xsd index c106b82f..8c8e2ecc 100644 --- a/xsd/siri_utility/siri_permissions.xsd +++ b/xsd/siri_utility/siri_permissions.xsd @@ -1,48 +1,49 @@ - - - - main schema - e-service developers - CEN TC278 WG3 SG9 Team. - Europe - First drafted for version 2.0 CEN TC278 WG3 SG9 Editor Nicholas Knowles. mailto:schemer@siri.org.uk - - 2012-03-24 - - - 2012-03-23 - - - -

SIRI is a European CEN standard for the exchange of real-time information. This subschema defines common request processing elements

-
- - text/xml - http://www.w3.org/2001/XMLSchema - XML schema, W3C Recommendation 2001 - - {http://www.siri.org.uk/schema/2.0/xsd/siri_utility/}siri_permissions.xsd - [ISO 639-2/B] ENG - Kizoom, 109-123 Clifton Street, London EC4A 4LD - - http://www.siri.org.uk/schema/2.0/xsd/siri_utility/siri_types.xsd - http://www.siri.org.uk/schema/2.0/xsd/siri_utility/siri_utility.xsd - http://www.siri.org.uk/schema/2.0/xsd/siri_uility/siri_participant.xsd - - - CEN, VDV, RTIG 2004-2021 - - -
    -
  • Derived from the VDV, RTIGXML and Trident standards.
  • -
- - Version 2.1 - - Arts, recreation and travel, Tourism, Travel (tourism), Transport, + + +

SIRI is a European CEN standard for the exchange of real-time information. This subschema defines common request processing elements

+
+ + text/xml + http://www.w3.org/2001/XMLSchema + XML schema, W3C Recommendation 2001 + + {http://www.siri.org.uk/schema/2.0/xsd/siri_utility/}siri_permissions.xsd + [ISO 639-2/B] ENG + Kizoom, 109-123 Clifton Street, London EC4A 4LD + + http://www.siri.org.uk/schema/2.0/xsd/siri_utility/siri_types.xsd + http://www.siri.org.uk/schema/2.0/xsd/siri_utility/siri_utility.xsd + http://www.siri.org.uk/schema/2.0/xsd/siri_uility/siri_participant.xsd + + + + CEN, VDV, RTIG 2004-2021 + + +
    +
  • Derived from the VDV, RTIGXML and Trident standards.
  • +
+ + Version 2.1 + + Arts, recreation and travel, Tourism, Travel (tourism), Transport, Air transport, Airports, Ports and maritime transport, Ferries (marine), Public transport, Bus services, Coach services, Bus stops and stations, @@ -50,86 +51,86 @@ Rail transport, Railway stations and track, Train services, Underground trains, Business and industry, Transport, Air transport, Ports and maritime transport, Public transport, Rail transport, Roads and road transport - CEN TC278 WG3 SG9. - - SIRI XML schema. Common Permission model subschema. - Standard -
-
- SIRI Framework Permission Types. -
- - - - - - - - Type for Abstract Permission Topic. - - - - - Whether the participant may access this topic. Default is 'true'. - - - - - - - Allow access to all topics known to the service. - - - - - Type for Common Access control capabilities. - - - - - Whether access control of requests is supported. Default is 'false'. - - - - - - - - Type for Abstract Permission. - - - - - - Parmissions apply by default to All particpants. May be overidden by other separate permissions for individual. - - - - - Permission applies to specified participant. - - - - - - Permissions for general capabilities. - - - - - - Participant may make direct requests for data. Default is 'true'. - - - - - Participant may create subscriptions. Default True. - - - - - - - - + CEN TC278 WG3 SG9. + + SIRI XML schema. Common Permission model subschema. + Standard + + + SIRI Framework Permission Types. + + + + + + + + + Type for Abstract Permission Topic. + + + + + Whether the participant may access this topic. Default is 'true'. + + + + + + + Allow access to all topics known to the service. + + + + + Type for Common Access control capabilities. + + + + + Whether access control of requests is supported. Default is 'false'. + + + + + + + + Type for Abstract Permission. + + + + + + Parmissions apply by default to All particpants. May be overidden by other separate permissions for individual. + + + + + Permission applies to specified participant. + + + + + + Permissions for general capabilities. + + + + + + Participant may make direct requests for data. Default is 'true'. + + + + + Participant may create subscriptions. Default True. + + + + + + + +
diff --git a/xsd/siri_utility/siri_types.xsd b/xsd/siri_utility/siri_types.xsd index 51813176..d7ac9513 100644 --- a/xsd/siri_utility/siri_types.xsd +++ b/xsd/siri_utility/siri_types.xsd @@ -1,52 +1,53 @@ - - - - - main schema - e-service developers - Europe - First drafted for version 1.0 CEN TC278 WG3 SG9 Editor Nicholas Knowles. mailto:schemer@siri.org.uk - - 2005-10-03 - - - 2005-10-04 - - - 2005-05-11 - - - 2007-04-17 - - - 2012-03-23 - - - -

SIRI is a European CEN standard for the exchange of real-time information .

-
- - text/xml - http://www.w3.org/2001/XMLSchema - XML schema, W3C Recommendation 2001 - - {http://www.siri.org.uk/schema/2.0/xsd/siri_utility/}siri_types.xsd - [ISO 639-2/B] ENG - Kizoom, 109-123 Clifton Street, London EC4A 4LD - - CEN, VDV, RTIG 2004-2021 + + +

SIRI is a European CEN standard for the exchange of real-time information .

+
+ + text/xml + http://www.w3.org/2001/XMLSchema + XML schema, W3C Recommendation 2001 + + {http://www.siri.org.uk/schema/2.0/xsd/siri_utility/}siri_types.xsd + [ISO 639-2/B] ENG + Kizoom, 109-123 Clifton Street, London EC4A 4LD + + + CEN, VDV, RTIG 2004-2021 - -
    -
  • Derived from the VDV, RTIG CML and Trident standards.
  • -
- - Version 2.1 - - Arts, recreation and travel, Tourism, Travel (tourism), Transport, + +
    +
  • Derived from the VDV, RTIG CML and Trident standards.
  • +
+ + Version 2.1 + + Arts, recreation and travel, Tourism, Travel (tourism), Transport, Air transport, Airports, Ports and maritime transport, Ferries (marine), Public transport, Bus services, Coach services, Bus stops and stations, @@ -54,113 +55,113 @@ Business and industry, Transport, Air transport, Ports and maritime transport, Public transport, Rail transport, Roads and road transport - CEN TC278 WG3 SG9. - - SIRI XML schema. Service Interface for Real-time Information relating to Public Transport Operations. Subschema of time types. - Standard -
-
- SIRI Framework Base Types. -
- - - - A string indicating the versioin of a SIRI data structure. - - - - - - A restriction of W3C XML Schema's string that requires at least one character of text. - - - - - - - - Tyoe for a string in a specified language. - - - - - - - - - - A name that requires at least one character of text and forbids certain reserved characters. - - - - - - - - @lang. ISO language code (default is 'en') + CEN TC278 WG3 SG9. + + SIRI XML schema. Service Interface for Real-time Information relating to Public Transport Operations. Subschema of time types. + Standard + + + SIRI Framework Base Types. + + + + + A string indicating the versioin of a SIRI data structure. + + + + + + A restriction of W3C XML Schema's string that requires at least one character of text. + + + + + + + + Tyoe for a string in a specified language. + + + + + + + + + + A name that requires at least one character of text and forbids certain reserved characters. + + + + + + + + @lang. ISO language code (default is 'en') A string containing a phrase in a natural language name that requires at least one character of text and forbids certain reserved characters. - - - - - - - - - - Id type for document references. - - - - - - Limited version of duration that allows for precise time arithmetic. Only Month, Day, Hour, Minute Second terms should be used. Milliseconds should not be used. Year should not be used. Negative values allowed. e.g. PT1004199059S", "PT130S", "PT2M10S", "P1DT2S", "-P1DT2S". - - - - - - Limited version of duration. Must be positive. - - - - - - International phonenumber +41675601 etc. - - - - - - Email address type. - - - - - - Length type for short distances. System for Units can be specified on frame. Normally (metres) as defined by http://www.ordnancesurvey.co.uk/xml/resource/units.xml#metres. - - - - - - Weight type for mass. System for Units can be specified on Frame. Normal default is (kilos) as defined by http://www.ordnancesurvey.co.uk/xml/resource/units.xml#metres. - - - - - - Number of passengers - capacity. - - - - - - Specifies a percentage from 0 to 100. + + + + + + + + + + Id type for document references. + + + + + + Limited version of duration that allows for precise time arithmetic. Only Month, Day, Hour, Minute Second terms should be used. Milliseconds should not be used. Year should not be used. Negative values allowed. e.g. PT1004199059S", "PT130S", "PT2M10S", "P1DT2S", "-P1DT2S". + + + + + + Limited version of duration. Must be positive. + + + + + + International phonenumber +41675601 etc. + + + + + + Email address type. + + + + + + Length type for short distances. System for Units can be specified on frame. Normally (metres) as defined by http://www.ordnancesurvey.co.uk/xml/resource/units.xml#metres. + + + + + + Weight type for mass. System for Units can be specified on Frame. Normal default is (kilos) as defined by http://www.ordnancesurvey.co.uk/xml/resource/units.xml#metres. + + + + + + Number of passengers - capacity. + + + + + + Specifies a percentage from 0 to 100. The value range is normally 0-100, but could in some circumstances go beyond 100%, e.g. when representing the OccupancyPercentage of an over-crowded vehicle or in similar cases. - - - - - + + + + +
diff --git a/xsd/siri_utility/siri_utility.xsd b/xsd/siri_utility/siri_utility.xsd index c71e0055..f7fe05b2 100644 --- a/xsd/siri_utility/siri_utility.xsd +++ b/xsd/siri_utility/siri_utility.xsd @@ -1,43 +1,44 @@ - - - - - main schema - e-service developers - CEN TC278 WG3 SG9 Team. - Europe - First drafted for version 1.0 CEN TC278 WG3 SG9 Editor Nicholas Knowles. mailto:schemer@siri.org.uk - - 2008-09-307 - - - - 2007-04-17 - - -

SIRI is a European CEN standard for the exchange of real-time information. This subschema defines common utility types

-
- - text/xml - http://www.w3.org/2001/XMLSchema - XML schema, W3C Recommendation 2001 - - {http://www.siri.org.uk/schema/2.0/xsd/siri_utiliyty/}siri_utility.xsd - [ISO 639-2/B] ENG - Kizoom, 109-123 Clifton Street, London EC4A 4LD - - CEN, VDV, RTIG 2004-2021 + + + + + main schema + e-service developers + CEN TC278 WG3 SG9 Team. + Europe + First drafted for version 1.0 CEN TC278 WG3 SG9 Editor Nicholas Knowles. mailto:schemer@siri.org.uk + + 2008-09-307 + + + + 2007-04-17 + + +

SIRI is a European CEN standard for the exchange of real-time information. This subschema defines common utility types

+
+ + text/xml + http://www.w3.org/2001/XMLSchema + XML schema, W3C Recommendation 2001 + + {http://www.siri.org.uk/schema/2.0/xsd/siri_utiliyty/}siri_utility.xsd + [ISO 639-2/B] ENG + Kizoom, 109-123 Clifton Street, London EC4A 4LD + + + CEN, VDV, RTIG 2004-2021 - -
    -
  • Derived from the VDV, RTIGXML and Trident standards.
  • -
- - Version 2.1 - - Arts, recreation and travel, Tourism, Travel (tourism), Transport, + +
    +
  • Derived from the VDV, RTIGXML and Trident standards.
  • +
+ + Version 2.1 + + Arts, recreation and travel, Tourism, Travel (tourism), Transport, Air transport, Airports, Ports and maritime transport, Ferries (marine), Public transport, Bus services, Coach services, Bus stops and stations, @@ -45,257 +46,257 @@ Rail transport, Railway stations and track, Train services, Underground trains, Business and industry, Transport, Air transport, Ports and maritime transport, Public transport, Rail transport, Roads and road transport - CEN TC278 WG3 SG9. - - SIRI XML schema. Shared utility types - Standard -
-
- SIRI Framework Utility Types. -
- - - - - - A type with no allowed content, used when simply the presence of an element is significant. - - - - - - - - - Extensions to schema. (Wrapper tag used to avoid problems with handling of optional 'any' by some validators). - - - - - Type for Extensions to schema. Wraps an 'any' tag to ensure decidability. - - - - - Placeholder for user extensions. - - - - - - - - A list of alternative Key values for an element. (since SIRI 2.1) - - - - Every Key Value Pair must be unique. - - - - - - - - - Type for a Key List. (since SIRI 2.1) - - - - - Key value pair for Entity. - - - - - - - Type for a Key List. (since SIRI 2.1) - - - - - Identifier of value e.g. System. - - - - - Value for alternative key. - - - - - Identifier of type of key. - - - - - - - - VALUE SETs and TYPE OF VALUEs as part of the SIRI extension model. + CEN TC278 WG3 SG9. + + SIRI XML schema. Shared utility types + Standard +
+
+ SIRI Framework Utility Types. +
+ + + + + + A type with no allowed content, used when simply the presence of an element is significant. + + + + + + + + + Extensions to schema. (Wrapper tag used to avoid problems with handling of optional 'any' by some validators). + + + + + Type for Extensions to schema. Wraps an 'any' tag to ensure decidability. + + + + + Placeholder for user extensions. + + + + + + + + A list of alternative Key values for an element. (since SIRI 2.1) + + + + Every Key Value Pair must be unique. + + + + + + + + + Type for a Key List. (since SIRI 2.1) + + + + + Key value pair for Entity. + + + + + + + Type for a Key List. (since SIRI 2.1) + + + + + Identifier of value e.g. System. + + + + + Value for alternative key. + + + + + Identifier of type of key. + + + + + + + + VALUE SETs and TYPE OF VALUEs as part of the SIRI extension model. TYPES OF VALUE can be used to exchange metadata for validation or collection of data, such as the description and allowed values for codes. (since SIRI 2.1) - - - - VALUE SETs must be unique. - - - - - - - - Type for containment of VALUE SETs and/or TYPE OF VALUEs. (since SIRI 2.1) - - - - - - - - - A code value from an extensible set which may be added to by user applications, and is used to classify other SIRI entities. (since SIRI 2.1) - - - - - Type for a TYPE OF VALUE. Used to define open classifications of value types. (since SIRI 2.1) - - - - - Identifier of a TYPE OF VALUE. - - - - - Name of class of which TypeOfValue is an instance. - - - - - - - - Elements for TYPE OF VALUE. (since SIRI 2.1) - - - - - Name of TYPE OF VALUE. - - - - - Short Name for TYPE OF VALUE. - - - - - Description of TYPE OF VALUE. - - - - - Default image for TYPE OF VALUE. - - - - - Default URL for TYPE OF VALUE. - - - - - Arbitrary code (usually the technical part of the identifier). - - - - - - - An extensible set of code values which may be added to by user applications and is used to validate the properties of entities. + + + + VALUE SETs must be unique. + + + + + + + + Type for containment of VALUE SETs and/or TYPE OF VALUEs. (since SIRI 2.1) + + + + + + + + + A code value from an extensible set which may be added to by user applications, and is used to classify other SIRI entities. (since SIRI 2.1) + + + + + Type for a TYPE OF VALUE. Used to define open classifications of value types. (since SIRI 2.1) + + + + + Identifier of a TYPE OF VALUE. + + + + + Name of class of which TypeOfValue is an instance. + + + + + + + + Elements for TYPE OF VALUE. (since SIRI 2.1) + + + + + Name of TYPE OF VALUE. + + + + + Short Name for TYPE OF VALUE. + + + + + Description of TYPE OF VALUE. + + + + + Default image for TYPE OF VALUE. + + + + + Default URL for TYPE OF VALUE. + + + + + Arbitrary code (usually the technical part of the identifier). + + + + + + + An extensible set of code values which may be added to by user applications and is used to validate the properties of entities. Contains TYPE OF VALUEs that are an instance of the same class. (since SIRI 2.1) - - - - TYPE OF VALUEs of the set must be unique. - - - - - - - - Type for a VALUE SET. Used to define open classifications of value types. (since SIRI 2.1) - - - - - Identifier of VALUE SET. - - - - - Name of Class of values in set. - - - - - - - - Elements for VALUE SET. (since SIRI 2.1) - - - - - Name of set. - - - - - Values in set. - - - - - - - Type for a list of TYPE OF VALUEs. (since SIRI 2.1) - - - - - - - - - Type for identifier of a TYPE OF VALUE. (since SIRI 2.1) - - - - - - Type for reference to a TYPE OF VALUE. (since SIRI 2.1) - - - - - - - - Type for identifier of a VALUE SET. (since SIRI 2.1) - - - - - - Name of class of which TypeOfValue is an instance. Used for reflection. (since SIRI 2.1) - - - - + + + + TYPE OF VALUEs of the set must be unique. + + + + + + + + Type for a VALUE SET. Used to define open classifications of value types. (since SIRI 2.1) + + + + + Identifier of VALUE SET. + + + + + Name of Class of values in set. + + + + + + + + Elements for VALUE SET. (since SIRI 2.1) + + + + + Name of set. + + + + + Values in set. + + + + + + + Type for a list of TYPE OF VALUEs. (since SIRI 2.1) + + + + + + + + + Type for identifier of a TYPE OF VALUE. (since SIRI 2.1) + + + + + + Type for reference to a TYPE OF VALUE. (since SIRI 2.1) + + + + + + + + Type for identifier of a VALUE SET. (since SIRI 2.1) + + + + + + Name of class of which TypeOfValue is an instance. Used for reflection. (since SIRI 2.1) + + + +
diff --git a/xsd/siri_vehicleMonitoring_service.xsd b/xsd/siri_vehicleMonitoring_service.xsd index 98491a1e..53db8643 100644 --- a/xsd/siri_vehicleMonitoring_service.xsd +++ b/xsd/siri_vehicleMonitoring_service.xsd @@ -1,87 +1,88 @@ - - - - main schema - e-service developers - CEN TC278 WG3 SG7 Team - Europe - Drafted for version 1.0 CEN TC278 WG3 SG7 Editor Nicholas Knowles, Kizoom. mailto:schemer@siri.org.uk - - 2004-09-29 - - - 2004-10-01 - - - 2005-02-14 - - - 2005-02-20 - - - 2005-05-11 - - - 2007-04-17 - - - - 2007-03-26 - - - - 2008-11-17 - - - - 2012-03-23 - + + + 2007-03-26 + + + + 2008-11-17 + + + + 2012-03-23 + - - - 2012-04-29 - - - - 2013-02-11 - - - -

SIRI is a European CEN standard for the exchange of Public Transport real-time information.

-

This sub-schema describes the Vehicle Monitoring Service.

-
- - text/xml - http://www.w3.org/2001/XMLSchema - XML schema, W3C Recommendation 2001 - - {http://www.siri.org.uk/schema/2.0/xsd/}siri_vehicleMonitoring_service.xsd - [ISO 639-2/B] ENG - Kizoom, 109-123 Clifton Street, London EC4A 4LD - - http://www.siri.org.uk/schema/2.0/xsd/siri/siri_requests.xsd - http://www.siri.org.uk/schema/2.0/xsd/siri_model/siri_reference.xsd - http://www.siri.org.uk/schema/2.0/xsd/siri_model/siri_modelPermissions.xsd - - - CEN, VDV, RTIG 2004-2021 + + + 2013-02-11 + + + +

SIRI is a European CEN standard for the exchange of Public Transport real-time information.

+

This sub-schema describes the Vehicle Monitoring Service.

+
+ + text/xml + http://www.w3.org/2001/XMLSchema + XML schema, W3C Recommendation 2001 + + {http://www.siri.org.uk/schema/2.0/xsd/}siri_vehicleMonitoring_service.xsd + [ISO 639-2/B] ENG + Kizoom, 109-123 Clifton Street, London EC4A 4LD + + http://www.siri.org.uk/schema/2.0/xsd/siri/siri_requests.xsd + http://www.siri.org.uk/schema/2.0/xsd/siri_model/siri_reference.xsd + http://www.siri.org.uk/schema/2.0/xsd/siri_model/siri_modelPermissions.xsd + + + + CEN, VDV, RTIG 2004-2021 - -
    -
  • Derived from the VDV, RTIG XML and Trident standards.
  • -
- - Version 2.1 - - Arts, recreation and travel, Tourism, Travel (tourism), Transport, + +
    +
  • Derived from the VDV, RTIG XML and Trident standards.
  • +
+ + Version 2.1 + + Arts, recreation and travel, Tourism, Travel (tourism), Transport, Air transport, Airports, Ports and maritime transport, Ferries (marine), Public transport, Bus services, Coach services, Bus stops and stations, @@ -89,614 +90,614 @@ Rail transport, Railway stations and track, Train services, Underground trains, Business and industry, Transport, Air transport, Ports and maritime transport, Public transport, Rail transport, Roads and road transport - CEN TC278 WG3 SG7 - - SIRI-VM XML schema. Service Interface for Real-time Information relating to Public Transport Operations. Vehicle Monitoring Subschema - Standard -
-
- SIRI-VM Vehicle Monitoring Service. -
- - - - - - - - Convenience artifact to pick out main elements of the Vehicle Monitoring Service. - - - - - - - - - - - - - - - - Request for information about Vehicle Movements. - - - - - Type for Functional Service Request for Vehicle Monitoring Service. - - - - - - - - - - - Version number of request. Fixed + CEN TC278 WG3 SG7 + + SIRI-VM XML schema. Service Interface for Real-time Information relating to Public Transport Operations. Vehicle Monitoring Subschema + Standard + + + SIRI-VM Vehicle Monitoring Service. + + + + + + + + + Convenience artifact to pick out main elements of the Vehicle Monitoring Service. + + + + + + + + + + + + + + + + Request for information about Vehicle Movements. + + + + + Type for Functional Service Request for Vehicle Monitoring Service. + + + + + + + + + + + Version number of request. Fixed - - - - - - - - Detail Levels for Request. - - - - - Return only the minimum amount of optional data for each stop event to provide a display, A time, line name and destination name. - - - - - Return minimum and other available basic details for each stop event. Do not include data on time at next stop or destination. - - - - - Return all basic data, and also arrival times at DESTINATION. - - - - - Return all available data for each stop event, including previous and onward CALLs with passing times for JOURNEY PATTERN. - - - - - - - Parameters that specify the content to be returned. - - - - - A predefined scope for making VEHICLE requests. - - - - - - Reference to a specific VEHICLE about which data is requested. - - - - - Filter the results to include only vehicles for the specific LINE. - - - - - - Filter the results to include only VEHICLEs going to this DIRECTION. - - - - - - - Parameters that affect the request processing. - - - - - Preferred languages in which to return text values. - - - - - - The maximum number of MONITORED VEHICLE JOURNEYs to include in a given delivery. The most recent n Events within the look ahead window are included. - - - - - Level of detail to include in response. - - - - - If calls are to be returned, maximum number of calls to include in response. If absent, exclude all calls. (since SIRI 2.0). - - - - - - Maximum number of previous calls to include. Only applies if VehicleMonitoringDetailLevel of Calls specified. Zero for none. If VehicleMonitoringDetailLevel of Calls specified but MaximumNumberOfCalls.Previous absent, include all previous calls. (since SIRI 2.0). - - - - - Maximum number of onwards calls to include. Zero for none. Only applies if VehicleMonitoringDetailLevel of 'calls' specified. Zero for none. If VehicleMonitoringDetailLevel calls specified but MaximumNumberOfCalls.Onwards absent, include all onwards calls. (since SIRI 2.0). - - - - - - - - Whether any related Situations should be included in the ServiceDelivery. Default is 'false'. (since SIRI 2.0) - - - - - - - - Request for a subscription to the Vehicle Monitoring Service. - - - - - Parameters that affect the subscription publishing and notification processing. - - - - - Whether the producer will return the complete set of current data, or only provide updates to this data, i.e. additions, modifications and deletions. + + + + + + + + Detail Levels for Request. + + + + + Return only the minimum amount of optional data for each stop event to provide a display, A time, line name and destination name. + + + + + Return minimum and other available basic details for each stop event. Do not include data on time at next stop or destination. + + + + + Return all basic data, and also arrival times at DESTINATION. + + + + + Return all available data for each stop event, including previous and onward CALLs with passing times for JOURNEY PATTERN. + + + + + + + Parameters that specify the content to be returned. + + + + + A predefined scope for making VEHICLE requests. + + + + + + Reference to a specific VEHICLE about which data is requested. + + + + + Filter the results to include only vehicles for the specific LINE. + + + + + + Filter the results to include only VEHICLEs going to this DIRECTION. + + + + + + + Parameters that affect the request processing. + + + + + Preferred languages in which to return text values. + + + + + + The maximum number of MONITORED VEHICLE JOURNEYs to include in a given delivery. The most recent n Events within the look ahead window are included. + + + + + Level of detail to include in response. + + + + + If calls are to be returned, maximum number of calls to include in response. If absent, exclude all calls. (since SIRI 2.0). + + + + + + Maximum number of previous calls to include. Only applies if VehicleMonitoringDetailLevel of Calls specified. Zero for none. If VehicleMonitoringDetailLevel of Calls specified but MaximumNumberOfCalls.Previous absent, include all previous calls. (since SIRI 2.0). + + + + + Maximum number of onwards calls to include. Zero for none. Only applies if VehicleMonitoringDetailLevel of 'calls' specified. Zero for none. If VehicleMonitoringDetailLevel calls specified but MaximumNumberOfCalls.Onwards absent, include all onwards calls. (since SIRI 2.0). + + + + + + + + Whether any related Situations should be included in the ServiceDelivery. Default is 'false'. (since SIRI 2.0) + + + + + + + + Request for a subscription to the Vehicle Monitoring Service. + + + + + Parameters that affect the subscription publishing and notification processing. + + + + + Whether the producer will return the complete set of current data, or only provide updates to this data, i.e. additions, modifications and deletions. If false or omitted, each subscription response will contain the full information as specified in this request. - - - - - - The amount of change to the VEHICLE expected arrival time at next stop that can happen before an update is sent (i.e. if ChangeBeforeUpdate is set to 2 minutes, the subscriber will not be told that a bus is 30 seconds delayed - an update will only be sent when the bus is at least 2 minutes delayed). - - - - - Time interval in seconds in which new data is to be transmitted. If unspecified, default to system configuration. - - - - - - - - Type for Subscription Request for Vehicle Monitoring Service. - - - - - - - - - - - - - - - - Delivery for Vehicle Monitoring Service. - - - - - Payload part of Vehicle Monitoring delivery. - - - - - Describes the progress of a VEHICLE along its route. - - - - - Reference to an previously communicated VEHICLE activity which should now be removed from the system. - - - - - Annotation to accompany of Vehicle Activities. - - - - - - - Type for Delivery for Vehicle Monitoring Service. Provides information about one or more vehicles; each has its own VEHICLE activity element. - - - - - - - - - - Version number of response. Fixed + + + + + + The amount of change to the VEHICLE expected arrival time at next stop that can happen before an update is sent (i.e. if ChangeBeforeUpdate is set to 2 minutes, the subscriber will not be told that a bus is 30 seconds delayed - an update will only be sent when the bus is at least 2 minutes delayed). + + + + + Time interval in seconds in which new data is to be transmitted. If unspecified, default to system configuration. + + + + + + + + Type for Subscription Request for Vehicle Monitoring Service. + + + + + + + + + + + + + + + + Delivery for Vehicle Monitoring Service. + + + + + Payload part of Vehicle Monitoring delivery. + + + + + Describes the progress of a VEHICLE along its route. + + + + + Reference to an previously communicated VEHICLE activity which should now be removed from the system. + + + + + Annotation to accompany of Vehicle Activities. + + + + + + + Type for Delivery for Vehicle Monitoring Service. Provides information about one or more vehicles; each has its own VEHICLE activity element. + + + + + + + + + + Version number of response. Fixed - - - - - - - - - Type for a Vehicle Activity. - - - - - - - Time until when data is valid. - - - - - Reference to monitored VEHICLE or GROUP OF VEHICLEs. - - - - - Name associated with Monitoring Reference. Supports SIRI LITE servcies ((since SIRI 2.0)). - - - - - Provides information about the progress of the VEHICLE along its current link, that is link from previous visited top to current position. - - - - - Monitored VEHICLE JOURNEY that VEHICLE is following. - - - - - - - - - - Text associated with Delivery. - - - - - - - - - - Identifier of a Vehicle Monitoring scope. - - - - - - Type for reference to a Vehicle Monitoring scope - - - - - - - - - Type for cancellation of an earlier Vehicle Activity. - - - - - - - - - Reason for cancellation. (Unbounded since SIRI 2.0) - - - - - - - - - - Identifiers of Vehicle Activity. - - - - - - Reference to VEHICLE JOURNEY that VEHICLE is making. - - - - - - - - - Type for Deliveries for VEHICLE monitoring services Used in WSDL. - - - - - Delivery for Vehicle Moniroting Service. - - - - - - - - Request for information about Vehicle Monitoring Service Capabilities. Answered with a VehicleMontoringCapabilitiesResponse. - - - - - Type for capability request policy. - - - - - - - Whether results should return references. - - - - - Whether results should return references. - - - - - - - - - Capabilities of Vehicle Monitoring Service. - - - - - - Capabilities for Vehicle Monitoring Service. Answers a VehicleMontoringCapabilitiesRequest. - - - - - Type for Delivery for Vehicle Monitoring Service. - - - - - - - - - - - Version number of response. Fixed + + + + + + + + + Type for a Vehicle Activity. + + + + + + + Time until when data is valid. + + + + + Reference to monitored VEHICLE or GROUP OF VEHICLEs. + + + + + Name associated with Monitoring Reference. Supports SIRI LITE servcies ((since SIRI 2.0)). + + + + + Provides information about the progress of the VEHICLE along its current link, that is link from previous visited top to current position. + + + + + Monitored VEHICLE JOURNEY that VEHICLE is following. + + + + + + + + + + Text associated with Delivery. + + + + + + + + + + Identifier of a Vehicle Monitoring scope. + + + + + + Type for reference to a Vehicle Monitoring scope + + + + + + + + + Type for cancellation of an earlier Vehicle Activity. + + + + + + + + + Reason for cancellation. (Unbounded since SIRI 2.0) + + + + + + + + + + Identifiers of Vehicle Activity. + + + + + + Reference to VEHICLE JOURNEY that VEHICLE is making. + + + + + + + + + Type for Deliveries for VEHICLE monitoring services Used in WSDL. + + + + + Delivery for Vehicle Moniroting Service. + + + + + + + + Request for information about Vehicle Monitoring Service Capabilities. Answered with a VehicleMontoringCapabilitiesResponse. + + + + + Type for capability request policy. + + + + + + + Whether results should return references. + + + + + Whether results should return references. + + + + + + + + + Capabilities of Vehicle Monitoring Service. + + + + + + Capabilities for Vehicle Monitoring Service. Answers a VehicleMontoringCapabilitiesRequest. + + + + + Type for Delivery for Vehicle Monitoring Service. + + + + + + + + + + + Version number of response. Fixed - - - - - - - - Type for Vehicle Monitoring Capabilities. - - - - - - - Topic Filtering Capabilities. - - - - - - Default preview interval. Default is 60 minutes. - - - - - Whether results can be filtered by Vehicle Monitoring Fixed as 'true'. - - - - - - - - - - - Request Policy capabilities. - - - - - - - - - - - - - - Subscription Policy capabilities. - - - - - Optional Access control capabilities. - - - - - - - - - - If access control is supported, whether access control by monitoring point is supported. Default is 'true'. - - - - - - - - - - Optional Response capabilities. - - - - - - Whether result has location. Default is 'true'. - - - - - Whether result supports SITUATION REFERENCESs. Default is 'false'. (since SIRI 2.0) - - - - - - - - - - - - - Elements for volume control. - - - - - Whether Detail level filtering is supported. Default is ' false'. - - - - - Detail level. Default Normal. - - - - - Whether results can be limited to a maximum number. Default is 'true'. - - - - - If system can return detailed calling pattern, whether a number of calls to include can be specified. Default is 'false'. (since SIRI 2.0) - - - - - If system can return detailed calling pattern, whether a number of onwards calls to include can be specified. Default is 'false'. (since SIRI 2.0) - - - - - If system can return detailed calling pattern, whether a number of previous calls to include can be specified. Default is 'false'. (since SIRI 2.0) - - - - - - - Participant's permissions to use the service. - - - - - - - - Permissions for use of VEHICLE MONITORING. Can be used to specify which Consumers can see which vehicles - - - - - - - - - - - Type for Monitoring Service Permissions. - - - - - - - - - The Vehicle Monitors (DIUSPLAY ASSIGNMENTs) that the participant may access. - - - - - - - Participant's permission for this Vehicle Monitor (DISPLAY SSIGNMENT). - - - - - - - - - - - - - Type for MonitoringPoint Permission. - - - - - - - Vehicle Monitoring reference for which permission is made. - - - - - - + + + + + + + + Type for Vehicle Monitoring Capabilities. + + + + + + + Topic Filtering Capabilities. + + + + + + Default preview interval. Default is 60 minutes. + + + + + Whether results can be filtered by Vehicle Monitoring Fixed as 'true'. + + + + + + + + + + + Request Policy capabilities. + + + + + + + + + + + + + + Subscription Policy capabilities. + + + + + Optional Access control capabilities. + + + + + + + + + + If access control is supported, whether access control by monitoring point is supported. Default is 'true'. + + + + + + + + + + Optional Response capabilities. + + + + + + Whether result has location. Default is 'true'. + + + + + Whether result supports SITUATION REFERENCESs. Default is 'false'. (since SIRI 2.0) + + + + + + + + + + + + + Elements for volume control. + + + + + Whether Detail level filtering is supported. Default is ' false'. + + + + + Detail level. Default Normal. + + + + + Whether results can be limited to a maximum number. Default is 'true'. + + + + + If system can return detailed calling pattern, whether a number of calls to include can be specified. Default is 'false'. (since SIRI 2.0) + + + + + If system can return detailed calling pattern, whether a number of onwards calls to include can be specified. Default is 'false'. (since SIRI 2.0) + + + + + If system can return detailed calling pattern, whether a number of previous calls to include can be specified. Default is 'false'. (since SIRI 2.0) + + + + + + + Participant's permissions to use the service. + + + + + + + + Permissions for use of VEHICLE MONITORING. Can be used to specify which Consumers can see which vehicles + + + + + + + + + + + Type for Monitoring Service Permissions. + + + + + + + + + The Vehicle Monitors (DIUSPLAY ASSIGNMENTs) that the participant may access. + + + + + + + Participant's permission for this Vehicle Monitor (DISPLAY SSIGNMENT). + + + + + + + + + + + + + Type for MonitoringPoint Permission. + + + + + + + Vehicle Monitoring reference for which permission is made. + + + + + +
diff --git a/xsd/wsdl_model/siri_wsConsumer-Framework.xsd b/xsd/wsdl_model/siri_wsConsumer-Framework.xsd index 344bd53a..eeee9661 100644 --- a/xsd/wsdl_model/siri_wsConsumer-Framework.xsd +++ b/xsd/wsdl_model/siri_wsConsumer-Framework.xsd @@ -1,53 +1,53 @@ - - - - - main schema - e-service developers - Christophe Duquesne, Aurige, Guyancourt FRANCE - Michel Etienne, Cityway, Paris FRANCE - Robin Vettier, RATP, Paris FRANCE - Nicholas Knowles, KIZOOM LTD., London EC4A 1LT - Europe - >Drafted for version 1.0 CEN TC278 WG3 SG7 Editor Christophe Duquesne, Aurige - - 2012-05-29 - - -

SIRI is a European CEN technical standard for the exchange of real time information.

-

SIRI is defined by XMLschemas and comprises a general protocol for communication, and a modular set of functional services as follows : + + + + + main schema + e-service developers + Christophe Duquesne, Aurige, Guyancourt FRANCE + Michel Etienne, Cityway, Paris FRANCE + Robin Vettier, RATP, Paris FRANCE + Nicholas Knowles, KIZOOM LTD., London EC4A 1LT + Europe + >Drafted for version 1.0 CEN TC278 WG3 SG7 Editor Christophe Duquesne, Aurige + + 2012-05-29 + + +

SIRI is a European CEN technical standard for the exchange of real time information.

+

SIRI is defined by XMLschemas and comprises a general protocol for communication, and a modular set of functional services as follows :

  • Production Timetable: Exchanges planned timetables.
  • Estimated Timetable: Exchanges real-time updates to timetables.
  • Stop Timetable: Provides timetable information about stop departures and arrivals.
  • Stop Monitoring: Provides real time information about stop departures and arrivals.
  • Vehicle Monitoring: Provides real time information about vehicle movements.
  • Connection Timetable: Provides timetabled information about feeder and distributor arrivals and departures at a connection point.
  • Connection Monitoring: Provides real time information about feeder and distributor arrivals and departures at a a connection point. Can be used to support "Connection protection".
  • General Message: Exchanges general information messages between participants
  • Facility Monitoring: Provides real time information about facilities.
  • SItuation Monitoring: Provides real time information about Incidents.

-

SIRI supports both direct request/response and publish subscribe patterns of interaction.

-

SIRI includes common mechanisms and messages for system status management.

-

SIRI documents can be exchanged using http post, and/or SOAP. +

SIRI supports both direct request/response and publish subscribe patterns of interaction.

+

SIRI includes common mechanisms and messages for system status management.

+

SIRI documents can be exchanged using http post, and/or SOAP. This file provides the necessary framework XSD structure to have the Document/Literal Wrapped encoding style fully compatible with the RPC/Literal style

-
- - text/xml - http://www.w3.org/2001/XMLSchema - XML schema, W3C Recommendation 2001 - - {http://www.siri.org.uk/schema/2.0}siri.xsd - [ISO 639-2/B] ENG - Kizoom, 109-123 Clifton Street, London EC4A 4LD - - http://www.siri.org.uk/schema/2.0/siri_wsCOnsumer-Document.wsdl - - - - CEN, VDV, RTIG 2004-2021 - - -
    -
  • Derived from the VDV, RTIG XML and Trident standards.
  • -
- - Version 2.1 - - Arts, recreation and travel, Tourism, Travel (tourism), Transport, + + + text/xml + http://www.w3.org/2001/XMLSchema + XML schema, W3C Recommendation 2001 + + {http://www.siri.org.uk/schema/2.0}siri.xsd + [ISO 639-2/B] ENG + Kizoom, 109-123 Clifton Street, London EC4A 4LD + + http://www.siri.org.uk/schema/2.0/siri_wsCOnsumer-Document.wsdl + + + + CEN, VDV, RTIG 2004-2021 + + +
    +
  • Derived from the VDV, RTIG XML and Trident standards.
  • +
+ + Version 2.1 + + Arts, recreation and travel, Tourism, Travel (tourism), Transport, Air transport, Airports, Ports and maritime transport, Ferries (marine), Public transport, Bus services, Coach services, Bus stops and stations, @@ -55,44 +55,44 @@ Rail transport, Railway stations and track, Train services, Underground trains, Business and industry, Transport, Air transport , Ports and maritime transport, Public transport, Rail transport, Roads and road transport. - CEN TC278 WG3 SG7 - - XSD elements for WSDL Consumer (Document Wrapped style) interface for SIRI XML schema. Service Interface for Real Time Information relating to Public Transport Operations. - Standard -
-
-
- - - - Type for Heartbeat Notifcation - - - - - - - - - - - - Type for Data Ready Notication - - - - - - - - - - - Type for TerminateSubscription Notication - - - - - - + CEN TC278 WG3 SG7 + + XSD elements for WSDL Consumer (Document Wrapped style) interface for SIRI XML schema. Service Interface for Real Time Information relating to Public Transport Operations. + Standard + + + + + + + Type for Heartbeat Notifcation + + + + + + + + + + + + Type for Data Ready Notication + + + + + + + + + + + Type for TerminateSubscription Notication + + + + + +
diff --git a/xsd/wsdl_model/siri_wsConsumer-Services.xsd b/xsd/wsdl_model/siri_wsConsumer-Services.xsd index b46e9dd3..1e5790fe 100644 --- a/xsd/wsdl_model/siri_wsConsumer-Services.xsd +++ b/xsd/wsdl_model/siri_wsConsumer-Services.xsd @@ -1,53 +1,53 @@ - - - - - main schema - e-service developers - Christophe Duquesne, Aurige, Guyancourt FRANCE - Michel Etienne, Cityway, Paris FRANCE - Robin Vettier, RATP, Paris FRANCE - Nicholas Knowles, KIZOOM LTD., London EC4A 1LT - Europe - >Drafted for version 1.0 CEN TC278 WG3 SG7 Editor Christophe Duquesne, Aurige - - 2012-05-29 - - -

SIRI is a European CEN technical standard for the exchange of real time information.

-

SIRI is defined by XMLschemas and comprises a general protocol for communication, and a modular set of functional services as follows : + + + + + main schema + e-service developers + Christophe Duquesne, Aurige, Guyancourt FRANCE + Michel Etienne, Cityway, Paris FRANCE + Robin Vettier, RATP, Paris FRANCE + Nicholas Knowles, KIZOOM LTD., London EC4A 1LT + Europe + >Drafted for version 1.0 CEN TC278 WG3 SG7 Editor Christophe Duquesne, Aurige + + 2012-05-29 + + +

SIRI is a European CEN technical standard for the exchange of real time information.

+

SIRI is defined by XMLschemas and comprises a general protocol for communication, and a modular set of functional services as follows :

  • Production Timetable: Exchanges planned timetables.
  • Estimated Timetable: Exchanges real-time updates to timetables.
  • Stop Timetable: Provides timetable information about stop departures and arrivals.
  • Stop Monitoring: Provides real time information about stop departures and arrivals.
  • Vehicle Monitoring: Provides real time information about vehicle movements.
  • Connection Timetable: Provides timetabled information about feeder and distributor arrivals and departures at a connection point.
  • Connection Monitoring: Provides real time information about feeder and distributor arrivals and departures at a a connection point. Can be used to support "Connection protection".
  • General Message: Exchanges general information messages between participants
  • Facility Monitoring: Provides real time information about facilities.
  • SItuation Monitoring: Provides real time information about Incidents.

-

SIRI supports both direct request/response and publish subscribe patterns of interaction.

-

SIRI includes common mechanisms and messages for system status management.

-

SIRI documents can be exchanged using http post, and/or SOAP. +

SIRI supports both direct request/response and publish subscribe patterns of interaction.

+

SIRI includes common mechanisms and messages for system status management.

+

SIRI documents can be exchanged using http post, and/or SOAP. This file provides the necessary service XSD structure to have the Document/Literal Wrapped encoding style fully compatible with the RPC/Literal style

-
- - text/xml - http://www.w3.org/2001/XMLSchema - XML schema, W3C Recommendation 2001 - - {http://www.siri.org.uk/schema/2.0}siri.xsd - [ISO 639-2/B] ENG - Kizoom, 109-123 Clifton Street, London EC4A 4LD - - http://www.siri.org.uk/schema/2.0/siri_wsCOnsumer-Document.wsdl - - - - CEN, VDV, RTIG 2004-2021 - - -
    -
  • Derived from the VDV, RTIG XML and Trident standards.
  • -
- - Version 2.1 - - Arts, recreation and travel, Tourism, Travel (tourism), Transport, + + + text/xml + http://www.w3.org/2001/XMLSchema + XML schema, W3C Recommendation 2001 + + {http://www.siri.org.uk/schema/2.0}siri.xsd + [ISO 639-2/B] ENG + Kizoom, 109-123 Clifton Street, London EC4A 4LD + + http://www.siri.org.uk/schema/2.0/siri_wsCOnsumer-Document.wsdl + + + + CEN, VDV, RTIG 2004-2021 + + +
    +
  • Derived from the VDV, RTIG XML and Trident standards.
  • +
+ + Version 2.1 + + Arts, recreation and travel, Tourism, Travel (tourism), Transport, Air transport, Airports, Ports and maritime transport, Ferries (marine), Public transport, Bus services, Coach services, Bus stops and stations, @@ -55,101 +55,101 @@ Rail transport, Railway stations and track, Train services, Underground trains, Business and industry, Transport, Air transport , Ports and maritime transport, Public transport, Rail transport, Roads and road transport. - CEN TC278 WG3 SG7 - - XSD elements for WSDL Consumer (Document Wrapped style) interface for SIRI XML schema. Service Interface for Real Time Information relating to Public Transport Operations. - Standard -
-
-
- - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + CEN TC278 WG3 SG7 + + XSD elements for WSDL Consumer (Document Wrapped style) interface for SIRI XML schema. Service Interface for Real Time Information relating to Public Transport Operations. + Standard + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
diff --git a/xsd/wsdl_model/siri_wsProducer-DiscoveryCapability.xsd b/xsd/wsdl_model/siri_wsProducer-DiscoveryCapability.xsd index 304b05c6..0334a221 100644 --- a/xsd/wsdl_model/siri_wsProducer-DiscoveryCapability.xsd +++ b/xsd/wsdl_model/siri_wsProducer-DiscoveryCapability.xsd @@ -1,53 +1,53 @@ - - - - - main schema - e-service developers - Christophe Duquesne, Aurige, Guyancourt FRANCE - Michel Etienne, Cityway, Paris FRANCE - Robin Vettier, RATP, Paris FRANCE - Nicholas Knowles, KIZOOM LTD., London EC4A 1LT - Europe - >Drafted for version 1.0 CEN TC278 WG3 SG7 Editor Christophe Duquesne, Aurige - - 2012-05-29 - - -

SIRI is a European CEN technical standard for the exchange of real time information.

-

SIRI is defined by XMLschemas and comprises a general protocol for communication, and a modular set of functional services as follows : + + + + + main schema + e-service developers + Christophe Duquesne, Aurige, Guyancourt FRANCE + Michel Etienne, Cityway, Paris FRANCE + Robin Vettier, RATP, Paris FRANCE + Nicholas Knowles, KIZOOM LTD., London EC4A 1LT + Europe + >Drafted for version 1.0 CEN TC278 WG3 SG7 Editor Christophe Duquesne, Aurige + + 2012-05-29 + + +

SIRI is a European CEN technical standard for the exchange of real time information.

+

SIRI is defined by XMLschemas and comprises a general protocol for communication, and a modular set of functional services as follows :

  • Production Timetable: Exchanges planned timetables.
  • Estimated Timetable: Exchanges real-time updates to timetables.
  • Stop Timetable: Provides timetable information about stop departures and arrivals.
  • Stop Monitoring: Provides real time information about stop departures and arrivals.
  • Vehicle Monitoring: Provides real time information about vehicle movements.
  • Connection Timetable: Provides timetabled information about feeder and distributor arrivals and departures at a connection point.
  • Connection Monitoring: Provides real time information about feeder and distributor arrivals and departures at a a connection point. Can be used to support "Connection protection".
  • General Message: Exchanges general information messages between participants
  • Facility Monitoring: Provides real time information about facilities.
  • SItuation Monitoring: Provides real time information about Incidents.

-

SIRI supports both direct request/response and publish subscribe patterns of interaction.

-

SIRI includes common mechanisms and messages for system status management.

-

SIRI documents can be exchanged using http post, and/or SOAP. +

SIRI supports both direct request/response and publish subscribe patterns of interaction.

+

SIRI includes common mechanisms and messages for system status management.

+

SIRI documents can be exchanged using http post, and/or SOAP. This file provides the necessary Discovery and Capability XSD structure to have the Document/Literal Wrapped encoding style fully compatible with the RPC/Literal style

-
- - text/xml - http://www.w3.org/2001/XMLSchema - XML schema, W3C Recommendation 2001 - - {http://www.siri.org.uk/schema/2.0}siri.xsd - [ISO 639-2/B] ENG - Kizoom, 109-123 Clifton Street, London EC4A 4LD - - http://www.siri.org.uk/schema/2.0/siri_wsCOnsumer-Document.wsdl - - - - CEN, VDV, RTIG 2004-2021 - - -
    -
  • Derived from the VDV, RTIG XML and Trident standards.
  • -
- - Version 2.1 - - Arts, recreation and travel, Tourism, Travel (tourism), Transport, + + + text/xml + http://www.w3.org/2001/XMLSchema + XML schema, W3C Recommendation 2001 + + {http://www.siri.org.uk/schema/2.0}siri.xsd + [ISO 639-2/B] ENG + Kizoom, 109-123 Clifton Street, London EC4A 4LD + + http://www.siri.org.uk/schema/2.0/siri_wsCOnsumer-Document.wsdl + + + + CEN, VDV, RTIG 2004-2021 + + +
    +
  • Derived from the VDV, RTIG XML and Trident standards.
  • +
+ + Version 2.1 + + Arts, recreation and travel, Tourism, Travel (tourism), Transport, Air transport, Airports, Ports and maritime transport, Ferries (marine), Public transport, Bus services, Coach services, Bus stops and stations, @@ -55,69 +55,69 @@ Rail transport, Railway stations and track, Train services, Underground trains, Business and industry, Transport, Air transport , Ports and maritime transport, Public transport, Rail transport, Roads and road transport. - CEN TC278 WG3 SG7 - - XSD elements for WSDL Consumer (Document Wrapped style) interface for SIRI XML schema. Service Interface for Real Time Information relating to Public Transport Operations. - Standard -
-
-
- - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + CEN TC278 WG3 SG7 + + XSD elements for WSDL Consumer (Document Wrapped style) interface for SIRI XML schema. Service Interface for Real Time Information relating to Public Transport Operations. + Standard + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
diff --git a/xsd/wsdl_model/siri_wsProducer-Framework.xsd b/xsd/wsdl_model/siri_wsProducer-Framework.xsd index 64f1375f..386577ff 100644 --- a/xsd/wsdl_model/siri_wsProducer-Framework.xsd +++ b/xsd/wsdl_model/siri_wsProducer-Framework.xsd @@ -1,53 +1,53 @@ - - - - - main schema - e-service developers - Christophe Duquesne, Aurige, Guyancourt FRANCE - Michel Etienne, Cityway, Paris FRANCE - Robin Vettier, RATP, Paris FRANCE - Nicholas Knowles, KIZOOM LTD., London EC4A 1LT - Europe - >Drafted for version 1.0 CEN TC278 WG3 SG7 Editor Christophe Duquesne, Aurige - - 2012-05-29 - - -

SIRI is a European CEN technical standard for the exchange of real time information.

-

SIRI is defined by XMLschemas and comprises a general protocol for communication, and a modular set of functional services as follows : + + + + + main schema + e-service developers + Christophe Duquesne, Aurige, Guyancourt FRANCE + Michel Etienne, Cityway, Paris FRANCE + Robin Vettier, RATP, Paris FRANCE + Nicholas Knowles, KIZOOM LTD., London EC4A 1LT + Europe + >Drafted for version 1.0 CEN TC278 WG3 SG7 Editor Christophe Duquesne, Aurige + + 2012-05-29 + + +

SIRI is a European CEN technical standard for the exchange of real time information.

+

SIRI is defined by XMLschemas and comprises a general protocol for communication, and a modular set of functional services as follows :

  • Production Timetable: Exchanges planned timetables.
  • Estimated Timetable: Exchanges real-time updates to timetables.
  • Stop Timetable: Provides timetable information about stop departures and arrivals.
  • Stop Monitoring: Provides real time information about stop departures and arrivals.
  • Vehicle Monitoring: Provides real time information about vehicle movements.
  • Connection Timetable: Provides timetabled information about feeder and distributor arrivals and departures at a connection point.
  • Connection Monitoring: Provides real time information about feeder and distributor arrivals and departures at a a connection point. Can be used to support "Connection protection".
  • General Message: Exchanges general information messages between participants
  • Facility Monitoring: Provides real time information about facilities.
  • SItuation Monitoring: Provides real time information about Incidents.

-

SIRI supports both direct request/response and publish subscribe patterns of interaction.

-

SIRI includes common mechanisms and messages for system status management.

-

SIRI documents can be exchanged using http post, and/or SOAP. +

SIRI supports both direct request/response and publish subscribe patterns of interaction.

+

SIRI includes common mechanisms and messages for system status management.

+

SIRI documents can be exchanged using http post, and/or SOAP. This file provides the necessary framework XSD structure to have the Document/Literal Wrapped encoding style fully compatible with the RPC/Literal style

-
- - text/xml - http://www.w3.org/2001/XMLSchema - XML schema, W3C Recommendation 2001 - - {http://www.siri.org.uk/schema/2.0}siri.xsd - [ISO 639-2/B] ENG - Kizoom, 109-123 Clifton Street, London EC4A 4LD - - http://www.siri.org.uk/schema/2.0/siri_wsCOnsumer-Document.wsdl - - - - CEN, VDV, RTIG 2004-2021 - - -
    -
  • Derived from the VDV, RTIG XML and Trident standards.
  • -
- - Version 2.1 - - Arts, recreation and travel, Tourism, Travel (tourism), Transport, + + + text/xml + http://www.w3.org/2001/XMLSchema + XML schema, W3C Recommendation 2001 + + {http://www.siri.org.uk/schema/2.0}siri.xsd + [ISO 639-2/B] ENG + Kizoom, 109-123 Clifton Street, London EC4A 4LD + + http://www.siri.org.uk/schema/2.0/siri_wsCOnsumer-Document.wsdl + + + + CEN, VDV, RTIG 2004-2021 + + +
    +
  • Derived from the VDV, RTIG XML and Trident standards.
  • +
+ + Version 2.1 + + Arts, recreation and travel, Tourism, Travel (tourism), Transport, Air transport, Airports, Ports and maritime transport, Ferries (marine), Public transport, Bus services, Coach services, Bus stops and stations, @@ -55,84 +55,84 @@ Rail transport, Railway stations and track, Train services, Underground trains, Business and industry, Transport, Air transport , Ports and maritime transport, Public transport, Rail transport, Roads and road transport. - CEN TC278 WG3 SG7 - - XSD elements for WSDL Consumer (Document Wrapped style) interface for SIRI XML schema. Service Interface for Real Time Information relating to Public Transport Operations. - Standard -
-
-
- - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + CEN TC278 WG3 SG7 + + XSD elements for WSDL Consumer (Document Wrapped style) interface for SIRI XML schema. Service Interface for Real Time Information relating to Public Transport Operations. + Standard + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
diff --git a/xsd/wsdl_model/siri_wsProducer-Services.xsd b/xsd/wsdl_model/siri_wsProducer-Services.xsd index bfcaf85f..11915c6c 100644 --- a/xsd/wsdl_model/siri_wsProducer-Services.xsd +++ b/xsd/wsdl_model/siri_wsProducer-Services.xsd @@ -1,53 +1,53 @@ - - - - - main schema - e-service developers - Christophe Duquesne, Aurige, Guyancourt FRANCE - Michel Etienne, Cityway, Paris FRANCE - Robin Vettier, RATP, Paris FRANCE - Nicholas Knowles, KIZOOM LTD., London EC4A 1LT - Europe - >Drafted for version 1.0 CEN TC278 WG3 SG7 Editor Christophe Duquesne, Aurige - - 2012-05-29 - - -

SIRI is a European CEN technical standard for the exchange of real time information.

-

SIRI is defined by XMLschemas and comprises a general protocol for communication, and a modular set of functional services as follows : + + + + + main schema + e-service developers + Christophe Duquesne, Aurige, Guyancourt FRANCE + Michel Etienne, Cityway, Paris FRANCE + Robin Vettier, RATP, Paris FRANCE + Nicholas Knowles, KIZOOM LTD., London EC4A 1LT + Europe + >Drafted for version 1.0 CEN TC278 WG3 SG7 Editor Christophe Duquesne, Aurige + + 2012-05-29 + + +

SIRI is a European CEN technical standard for the exchange of real time information.

+

SIRI is defined by XMLschemas and comprises a general protocol for communication, and a modular set of functional services as follows :

  • Production Timetable: Exchanges planned timetables.
  • Estimated Timetable: Exchanges real-time updates to timetables.
  • Stop Timetable: Provides timetable information about stop departures and arrivals.
  • Stop Monitoring: Provides real time information about stop departures and arrivals.
  • Vehicle Monitoring: Provides real time information about vehicle movements.
  • Connection Timetable: Provides timetabled information about feeder and distributor arrivals and departures at a connection point.
  • Connection Monitoring: Provides real time information about feeder and distributor arrivals and departures at a a connection point. Can be used to support "Connection protection".
  • General Message: Exchanges general information messages between participants
  • Facility Monitoring: Provides real time information about facilities.
  • SItuation Monitoring: Provides real time information about Incidents.

-

SIRI supports both direct request/response and publish subscribe patterns of interaction.

-

SIRI includes common mechanisms and messages for system status management.

-

SIRI documents can be exchanged using http post, and/or SOAP. +

SIRI supports both direct request/response and publish subscribe patterns of interaction.

+

SIRI includes common mechanisms and messages for system status management.

+

SIRI documents can be exchanged using http post, and/or SOAP. This file provides the necessary Service XSD structure to have the Document/Literal Wrapped encoding style fully compatible with the RPC/Literal style

-
- - text/xml - http://www.w3.org/2001/XMLSchema - XML schema, W3C Recommendation 2001 - - {http://www.siri.org.uk/schema/2.0}siri.xsd - [ISO 639-2/B] ENG - Kizoom, 109-123 Clifton Street, London EC4A 4LD - - http://www.siri.org.uk/schema/2.0/siri_wsCOnsumer-Document.wsdl - - - - CEN, VDV, RTIG 2004-2021 - - -
    -
  • Derived from the VDV, RTIG XML and Trident standards.
  • -
- - Version 2.1 - - Arts, recreation and travel, Tourism, Travel (tourism), Transport, + + + text/xml + http://www.w3.org/2001/XMLSchema + XML schema, W3C Recommendation 2001 + + {http://www.siri.org.uk/schema/2.0}siri.xsd + [ISO 639-2/B] ENG + Kizoom, 109-123 Clifton Street, London EC4A 4LD + + http://www.siri.org.uk/schema/2.0/siri_wsCOnsumer-Document.wsdl + + + + CEN, VDV, RTIG 2004-2021 + + +
    +
  • Derived from the VDV, RTIG XML and Trident standards.
  • +
+ + Version 2.1 + + Arts, recreation and travel, Tourism, Travel (tourism), Transport, Air transport, Airports, Ports and maritime transport, Ferries (marine), Public transport, Bus services, Coach services, Bus stops and stations, @@ -55,209 +55,209 @@ Rail transport, Railway stations and track, Train services, Underground trains, Business and industry, Transport, Air transport , Ports and maritime transport, Public transport, Rail transport, Roads and road transport. - CEN TC278 WG3 SG7 - - XSD elements for WSDL Consumer (Document Wrapped style) interface for SIRI XML schema. Service Interface for Real Time Information relating to Public Transport Operations. - Standard -
-
-
- - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + CEN TC278 WG3 SG7 + + XSD elements for WSDL Consumer (Document Wrapped style) interface for SIRI XML schema. Service Interface for Real Time Information relating to Public Transport Operations. + Standard + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
diff --git a/xsd/xml/2009/01/XMLSchema.xsd b/xsd/xml/2009/01/XMLSchema.xsd index b5baeb33..6e4569e8 100644 --- a/xsd/xml/2009/01/XMLSchema.xsd +++ b/xsd/xml/2009/01/XMLSchema.xsd @@ -1,66 +1,57 @@ - + - - - - -
-

About the XML namespace

- -
-

+ + + +

+

About the XML namespace

+
+

This schema document describes the XML namespace, in a form suitable for import by other schema documents.

-

+

See http://www.w3.org/XML/1998/namespace.html and http://www.w3.org/TR/REC-xml for information about this namespace.

-

+

Note that local names in this namespace are intended to be defined only by the World Wide Web Consortium or its subgroups. The names currently defined in this namespace are listed below. They should not be used with conflicting semantics by any Working Group, specification, or document instance.

-

- See further below in this document for more information about how to refer to this schema document from your own +

+ See further below in this document for more information about how to refer to this schema document from your own XSD schema documents and about the namespace-versioning policy governing this schema document.

-
-
- - - - - - -
- -

lang (as an attribute name)

-

+

+
+ + + + + +
+

lang (as an attribute name)

+

denotes an attribute whose value is a language code for the natural language of the content of any element; its value is inherited. This name is reserved by virtue of its definition in the XML specification.

- -
-
-

Notes

-

+

+
+

Notes

+

Attempting to install the relevant ISO 2- and 3-letter codes as the enumerated possible values is probably never going to be a realistic possibility.

-

+

See BCP 47 at http://www.rfc-editor.org/rfc/bcp/bcp47.txt and the IANA language subtag registry at @@ -68,189 +59,176 @@ http://www.iana.org/assignments/language-subtag-registry for further information.

-

+

The union allows for the 'un-declaration' of xml:lang with the empty string.

-
-
-
- - - - - - - - - -
- - - - -
- -

space (as an attribute name)

-

+

+
+
+ + + + + + + + + +
+ + + +
+

space (as an attribute name)

+

denotes an attribute whose value is a keyword indicating what whitespace processing discipline is intended for the content of the element; its value is inherited. This name is reserved by virtue of its definition in the XML specification.

- -
-
-
- - - - - - -
- - - -
- -

base (as an attribute name)

-

+

+
+
+ + + + + + +
+ + + +
+

base (as an attribute name)

+

denotes an attribute whose value provides a URI to be used as the base for interpreting any relative URIs in the scope of the element on which it appears; its value is inherited. This name is reserved by virtue of its definition in the XML Base specification.

- -

- See http://www.w3.org/TR/xmlbase/ +

+ See http://www.w3.org/TR/xmlbase/ for information about this attribute.

-
-
-
-
- - - - -
- -

id (as an attribute name)

-

+

+
+
+
+ + + +
+

id (as an attribute name)

+

denotes an attribute whose value should be interpreted as if declared to be of type ID. This name is reserved by virtue of its definition in the xml:id specification.

- -

- See http://www.w3.org/TR/xml-id/ +

+ See http://www.w3.org/TR/xml-id/ for information about this attribute.

-
-
-
-
- - - - - - - - - - -
- -

Father (in any context at all)

- -
-

+

+ + + + + + + + + + + +
+

Father (in any context at all)

+
+

denotes Jon Bosak, the chair of the original XML Working Group. This name is reserved by the following decision of the W3C XML Plenary and XML Coordination groups:

-
-

+

+

In appreciation for his vision, leadership and dedication the W3C XML Plenary on this 10th day of February, 2000, reserves for Jon Bosak in perpetuity the XML name "xml:Father".

-
-
-
-
-
- - - - + + + + +
+

+ About this schema document +

+
+

This schema defines attributes and an attribute group suitable for use by schemas wishing to allow xml:base, xml:lang, xml:space or xml:id attributes on elements they define.

-

+

To enable this, such a schema must import this schema for the XML namespace, e.g. as follows:

-
-                        <schema . . .>
+					
+                        <schema . . .>
                         . . .
                         <import namespace="http://www.w3.org/XML/1998/namespace"
-                        schemaLocation="http://www.w3.org/2001/xml.xsd"/>
+                        schemaLocation="http://www.w3.org/2001/xml.xsd"/>
                     
-

+

or

-
+					
                         <import namespace="http://www.w3.org/XML/1998/namespace"
-                        schemaLocation="http://www.w3.org/2009/01/xml.xsd"/>
+                        schemaLocation="http://www.w3.org/2009/01/xml.xsd"/>
                     
-

+

Subsequently, qualified reference to any of the attributes or the group defined below will have the desired effect, e.g.

-
-                        <type . . .>
+					
+                        <type . . .>
                         . . .
-                        <attributeGroup ref="xml:specialAttrs"/>
+                        <attributeGroup ref="xml:specialAttrs"/>
                     
-

+

will define a type which will schema-validate an instance element with any of those attributes.

-
-
-
-
- - - - + + + + +
+

+ Versioning policy for this schema document +

+
+

In keeping with the XML Schema WG's standard versioning policy, this schema document will persist at http://www.w3.org/2009/01/xml.xsd.

-

+

At the date of issue it can also be found at http://www.w3.org/2001/xml.xsd.

-

+

The schema document at that URI may however change in the future, in order to remain compatible with the latest version of XML Schema itself, or with the XML namespace itself. In other words, @@ -264,23 +242,30 @@ will not change.

-

+

Previous dated (and unchanging) versions of this schema document are at:

- -
-
-
-
- + +
+
+
+