diff --git a/.gitattributes b/.gitattributes
index bdb0cabc..9320eaec 100644
--- a/.gitattributes
+++ b/.gitattributes
@@ -15,3 +15,27 @@
*.PDF diff=astextplain
*.rtf diff=astextplain
*.RTF diff=astextplain
+
+# My rules to remove any doubt
+
+*.c text
+*.cpp text
+*.h text
+*.pl text
+*.py text
+*.sh text
+*.txt text
+*.desktop text
+*.conf text
+*.rc text
+*.spec text
+*.bat text
+*.1 text
+*.md text
+COPYING text
+Makefile* text
+README* text
+
+*.ico binary
+*.png binary
+
diff --git a/.github/workflows/ci.yml b/.github/workflows/ci.yml
new file mode 100644
index 00000000..341ccc8f
--- /dev/null
+++ b/.github/workflows/ci.yml
@@ -0,0 +1,162 @@
+name: 'build direwolf'
+
+on:
+ # permit to manually trigger the CI
+ workflow_dispatch:
+ inputs:
+ cmake_flags:
+ description: 'Custom CMAKE flags'
+ required: false
+ push:
+ paths-ignore:
+ - '.github/**'
+ pull_request:
+ paths-ignore:
+ - '.github/**'
+
+jobs:
+ build:
+ name: ${{ matrix.config.name }}
+ runs-on: ${{ matrix.config.os }}
+ strategy:
+ fail-fast: false
+ matrix:
+ config:
+ - {
+ name: 'Windows Latest MinGW 64bit',
+ os: windows-latest,
+ cc: 'x86_64-w64-mingw32-gcc',
+ cxx: 'x86_64-w64-mingw32-g++',
+ ar: 'x86_64-w64-mingw32-ar',
+ windres: 'x86_64-w64-mingw32-windres',
+ arch: 'x86_64',
+ build_type: 'Release',
+ cmake_extra_flags: '-G "MinGW Makefiles"'
+ }
+ - {
+ name: 'Windows 2019 MinGW 32bit',
+ os: windows-2019,
+ cc: 'i686-w64-mingw32-gcc',
+ cxx: 'i686-w64-mingw32-g++',
+ ar: 'i686-w64-mingw32-ar',
+ windres: 'i686-w64-mingw32-windres',
+ arch: 'i686',
+ build_type: 'Release',
+ cmake_extra_flags: '-G "MinGW Makefiles"'
+ }
+ - {
+ name: 'macOS latest',
+ os: macos-latest,
+ cc: 'clang',
+ cxx: 'clang++',
+ arch: 'x86_64',
+ build_type: 'Release',
+ cmake_extra_flags: ''
+ }
+ - {
+ name: 'Ubuntu latest Debug',
+ os: ubuntu-latest,
+ cc: 'gcc',
+ cxx: 'g++',
+ arch: 'x86_64',
+ build_type: 'Debug',
+ cmake_extra_flags: ''
+ }
+ - {
+ name: 'Ubuntu 22.04',
+ os: ubuntu-22.04,
+ cc: 'gcc',
+ cxx: 'g++',
+ arch: 'x86_64',
+ build_type: 'Release',
+ cmake_extra_flags: ''
+ }
+ - {
+ name: 'Ubuntu 20.04',
+ os: ubuntu-20.04,
+ cc: 'gcc',
+ cxx: 'g++',
+ arch: 'x86_64',
+ build_type: 'Release',
+ cmake_extra_flags: ''
+ }
+
+ steps:
+ - name: checkout
+ uses: actions/checkout@v2
+ with:
+ fetch-depth: 8
+ - name: dependency
+ shell: bash
+ run: |
+ # this is not perfect but enought for now
+ if [ "$RUNNER_OS" == "Linux" ]; then
+ sudo apt-get update
+ sudo apt-get install libasound2-dev libudev-dev libhamlib-dev gpsd
+ elif [ "$RUNNER_OS" == "macOS" ]; then
+ # just to simplify I use homebrew but
+ # we can use macports (latest direwolf is already available as port)
+ brew install portaudio hamlib gpsd
+ elif [ "$RUNNER_OS" == "Windows" ]; then
+ # add the folder to PATH
+ echo "C:\msys64\mingw32\bin" >> $GITHUB_PATH
+ fi
+ - name: create build environment
+ run: |
+ cmake -E make_directory ${{github.workspace}}/build
+ - name: configure
+ shell: bash
+ working-directory: ${{github.workspace}}/build
+ run: |
+ if [ "$RUNNER_OS" == "Windows" ]; then
+ export CC=${{ matrix.config.cc }}
+ export CXX=${{ matrix.config.cxx }}
+ export AR=${{ matrix.config.ar }}
+ export WINDRES=${{ matrix.config.windres }}
+ fi
+ cmake $GITHUB_WORKSPACE \
+ -DCMAKE_BUILD_TYPE=${{ matrix.config.build_type }} \
+ -DCMAKE_C_COMPILER=${{ matrix.config.cc }} \
+ -DCMAKE_CXX_COMPILER=${{ matrix.config.cxx }} \
+ -DCMAKE_CXX_FLAGS="-Werror" -DUNITTEST=1 \
+ ${{ matrix.config.cmake_extra_flags }} \
+ ${{ github.event.inputs.cmake_flags }}
+ - name: build
+ shell: bash
+ working-directory: ${{github.workspace}}/build
+ run: |
+ if [ "$RUNNER_OS" == "Windows" ]; then
+ export CC=${{ matrix.config.cc }}
+ export CXX=${{ matrix.config.cxx }}
+ export AR=${{ matrix.config.ar }}
+ export WINDRES=${{ matrix.config.windres }}
+ fi
+ cmake --build . --config ${{ matrix.config.build_type }} \
+ ${{ github.event.inputs.cmake_flags }}
+ - name: test
+ continue-on-error: true
+ shell: bash
+ working-directory: ${{github.workspace}}/build
+ run: |
+ ctest -C ${{ matrix.config.build_type }} \
+ --parallel 2 --output-on-failure \
+ ${{ github.event.inputs.cmake_flags }}
+ - name: package
+ shell: bash
+ working-directory: ${{github.workspace}}/build
+ run: |
+ if [ "$RUNNER_OS" == "Windows" ] || [ "$RUNNER_OS" == "macOS" ]; then
+ make package
+ fi
+ - name: archive binary
+ uses: actions/upload-artifact@v4
+ with:
+ name: direwolf_${{ matrix.config.os }}_${{ matrix.config.arch }}_${{ github.sha }}
+ path: |
+ ${{github.workspace}}/build/direwolf-*.zip
+ ${{github.workspace}}/build/direwolf.conf
+ ${{github.workspace}}/build/src/*
+ ${{github.workspace}}/build/CMakeCache.txt
+ !${{github.workspace}}/build/src/cmake_install.cmake
+ !${{github.workspace}}/build/src/CMakeFiles
+ !${{github.workspace}}/build/src/Makefile
diff --git a/.github/workflows/codeql-analysis-python.yml b/.github/workflows/codeql-analysis-python.yml
new file mode 100644
index 00000000..a47a8f8d
--- /dev/null
+++ b/.github/workflows/codeql-analysis-python.yml
@@ -0,0 +1,64 @@
+# For most projects, this workflow file will not need changing; you simply need
+# to commit it to your repository.
+#
+# You may wish to alter this file to override the set of languages analyzed,
+# or to provide custom queries or build logic.
+#
+# ******** NOTE ********
+# We have attempted to detect the languages in your repository. Please check
+# the `language` matrix defined below to confirm you have the correct set of
+# supported CodeQL languages.
+#
+name: "CodeQL - Python"
+
+on:
+ push:
+ branches: [ dev ]
+ pull_request:
+ # The branches below must be a subset of the branches above
+ branches: [ dev ]
+ schedule:
+ - cron: '25 8 * * 4'
+
+jobs:
+ analyze:
+ name: Analyze
+ runs-on: ubuntu-latest
+ permissions:
+ actions: read
+ contents: read
+ security-events: write
+
+ strategy:
+ fail-fast: false
+ matrix:
+ language: [ 'python' ]
+ # CodeQL supports [ 'cpp', 'csharp', 'go', 'java', 'javascript', 'python', 'ruby' ]
+ # Learn more about CodeQL language support at https://git.io/codeql-language-support
+
+ steps:
+ - name: Checkout repository
+ uses: actions/checkout@v3
+
+ # Initializes the CodeQL tools for scanning.
+ - name: Initialize CodeQL
+ uses: github/codeql-action/init@v3
+ with:
+ languages: ${{ matrix.language }}
+ setup-python-dependencies: true
+ # If you wish to specify custom queries, you can do so here or in a config file.
+ # By default, queries listed here will override any specified in a config file.
+ # Prefix the list here with "+" to use these queries and those in the config file.
+ # queries: ./path/to/local/query, your-org/your-repo/queries@main
+
+ # Autobuild attempts to build any compiled languages (C/C++, C#, or Java).
+ # If this step fails, then you should remove it and run the build manually (see below)
+ - name: Autobuild
+ uses: github/codeql-action/autobuild@v3
+
+ # â„¹ï¸ Command-line programs to run using the OS shell.
+ # 📚 https://git.io/JvXDl
+
+
+ - name: Perform CodeQL Analysis
+ uses: github/codeql-action/analyze@v3
diff --git a/.github/workflows/codeql-analysis.yml b/.github/workflows/codeql-analysis.yml
new file mode 100644
index 00000000..a86300f3
--- /dev/null
+++ b/.github/workflows/codeql-analysis.yml
@@ -0,0 +1,74 @@
+# For most projects, this workflow file will not need changing; you simply need
+# to commit it to your repository.
+#
+# You may wish to alter this file to override the set of languages analyzed,
+# or to provide custom queries or build logic.
+#
+# ******** NOTE ********
+# We have attempted to detect the languages in your repository. Please check
+# the `language` matrix defined below to confirm you have the correct set of
+# supported CodeQL languages.
+#
+name: "CodeQL - CPP"
+
+on:
+ push:
+ branches: [ dev ]
+ pull_request:
+ # The branches below must be a subset of the branches above
+ branches: [ dev ]
+ schedule:
+ - cron: '25 8 * * 4'
+
+jobs:
+ analyze:
+ name: Analyze
+ runs-on: ubuntu-latest
+ permissions:
+ actions: read
+ contents: read
+ security-events: write
+
+ strategy:
+ fail-fast: false
+ matrix:
+ language: [ 'cpp' ]
+ # CodeQL supports [ 'cpp', 'csharp', 'go', 'java', 'javascript', 'python', 'ruby' ]
+ # Learn more about CodeQL language support at https://git.io/codeql-language-support
+
+ steps:
+ - name: Checkout repository
+ uses: actions/checkout@v3
+
+ # Initializes the CodeQL tools for scanning.
+ - name: Initialize CodeQL
+ uses: github/codeql-action/init@v3
+ with:
+ languages: ${{ matrix.language }}
+ setup-python-dependencies: true
+ # If you wish to specify custom queries, you can do so here or in a config file.
+ # By default, queries listed here will override any specified in a config file.
+ # Prefix the list here with "+" to use these queries and those in the config file.
+ # queries: ./path/to/local/query, your-org/your-repo/queries@main
+
+ # Autobuild attempts to build any compiled languages (C/C++, C#, or Java).
+ # If this step fails, then you should remove it and run the build manually (see below)
+ - name: Autobuild
+ uses: github/codeql-action/autobuild@v3
+
+ # â„¹ï¸ Command-line programs to run using the OS shell.
+ # 📚 https://git.io/JvXDl
+
+ # âœï¸ If the Autobuild fails above, remove it and uncomment the following three lines
+ # and modify them (or add more) to build your code if your project
+ # uses a compiled language
+
+ - run: |
+ mkdir build
+ cd build
+ cmake -DUNITTEST=1 ..
+ make
+ make test
+
+ - name: Perform CodeQL Analysis
+ uses: github/codeql-action/analyze@v3
diff --git a/.gitignore b/.gitignore
index 23228642..659c845b 100644
--- a/.gitignore
+++ b/.gitignore
@@ -6,6 +6,8 @@ z*
*~
*.xlsx
*.stackdump
+*.wav
+
# Object files
*.o
@@ -37,6 +39,26 @@ z*
*.x86_64
*.hex
+# Binaries, other build results
+
+aclients
+atest
+decode_aprs
+direwolf
+gen_fff
+gen_packets
+ll2utm
+log2gpx
+text2tt
+tt2text
+ttcalc
+utm2ll
+
+direwolf.conf
+fsk_fast_filter.h
+direwolf.desktop
+
+
# =========================
# Operating System Files
# =========================
@@ -83,3 +105,9 @@ $RECYCLE.BIN/
# Windows shortcuts
*.lnk
+/use_this_sdk
+*.dSYM
+
+# cmake
+build/
+tmp/
\ No newline at end of file
diff --git a/APRStt-Implementation-Notes.pdf b/APRStt-Implementation-Notes.pdf
deleted file mode 100644
index 7ac41bc9..00000000
Binary files a/APRStt-Implementation-Notes.pdf and /dev/null differ
diff --git a/CHANGES.md b/CHANGES.md
new file mode 100644
index 00000000..4b78ca14
--- /dev/null
+++ b/CHANGES.md
@@ -0,0 +1,578 @@
+
+# Revision History #
+
+
+## Version 1.7 -- October 2023 ##
+
+
+### New Documentation: ###
+
+Additional documentation location to slow down growth of main repository. [https://github.com/wb2osz/direwolf-doc](https://github.com/wb2osz/direwolf-doc) . These are more oriented toward achieving a goal and understanding, as opposed to the User Guide which describes the functionality.
+
+- ***APRS Digipeaters***
+
+- ***Internal Packet Routing***
+
+- ***Radio Interface Guide***
+
+- ***Successful IGate Operation***
+
+- ***Understanding APRS Packets***
+
+
+### New Features: ###
+
+
+
+- New ICHANNEL configuration option to map a KISS client application channel to APRS-IS. Packets from APRS-IS will be presented to client applications as the specified channel. Packets sent, by client applications, to that channel will go to APRS-IS rather than a radio channel. Details in ***Internal-Packet-Routing.pdf***.
+
+- New variable speed option for gen_packets. For example, "-v 5,0.1" would generate packets from 5% too slow to 5% too fast with increments of 0.1. Some implementations might have imprecise timing. Use this to test how well TNCs tolerate sloppy timing.
+
+- Improved Layer 2 Protocol [(IL2P)](https://en.wikipedia.org/wiki/FX.25_Forward_Error_Correction). Compatible with Nino TNC for 1200 and 9600 bps. Use "-I 1" on command line to enable transmit for first channel. For more general case, add to config file (simplified version, see User Guide for more details):
+
+ > After: "CHANNEL 1" (or other channel)
+ >
+ > Add: "IL2PTX 1"
+
+- Limited support for CM108/CM119 GPIO PTT on Windows.
+
+- Dire Wolf now advertises itself using DNS Service Discovery. This allows suitable APRS / Packet Radio applications to find a network KISS TNC without knowing the IP address or TCP port. Thanks to Hessu for providing this. Currently available only for Linux and Mac OSX. [Read all about it here.](https://github.com/hessu/aprs-specs/blob/master/TCP-KISS-DNS-SD.md)
+
+- The transmit calibration tone (-x) command line option now accepts a radio channel number and/or a single letter mode: a = alternate tones, m = mark tone, s = space tone, p = PTT only no sound.
+
+- The BEACON configuration now recognizes the SOURCE= option. This replaces the AX.25 source address rather than using the MYCALL value for the channel. This is useful for sending more than 5 analog telemetry channels. Use two, or more, source addresses with up to 5 analog channels each.
+
+- For more flexibility, the FX.25 transmit property can now be set individually by channel, rather than having a global setting for all channels. The -X on the command line applies only to channel 0. For other channels you need to add a new line to the configuration file. You can specify a specific number of parity bytes (16, 32, 64) or 1 to choose automatically based on packet size.
+
+ > After: "CHANNEL 1" (or other channel)
+ >
+ > Add: "FX25TX 1" (or 16 or 32 or 64)
+
+
+
+### Bugs Fixed: ###
+
+- The t/m packet filter incorrectly included bulletins. It now allows only "messages" to specific stations. Use of t/m is discouraged. i/180 is the preferred filter for messages to users recently heard locally.
+
+- Packet filtering now skips over any third party header before classifying packet types.
+
+- Fixed build for Alpine Linux.
+
+### Notes: ###
+
+The Windows binary distribution now uses gcc (MinGW) version 11.3.0.
+The Windows version is built for both 32 and 64 bit operating systems.
+Use the 64 bit version if possible; it runs considerably faster.
+
+## Version 1.6 -- October 2020 ##
+
+### New Build Procedure: ###
+
+
+- Rather than trying to keep a bunch of different platform specific Makefiles in sync, "cmake" is now used for greater portability and easier maintenance. This was contributed by Davide Gerhard.
+
+- README.md has a quick summary of the process. More details in the ***User Guide***.
+
+
+### New Features: ###
+
+
+- "-X" option enables FX.25 transmission. FX.25 reception is always enabled so you don't need to do anything special. "What is FX.25?" you might ask. It is forward error correction (FEC) added in a way that is completely compatible with an ordinary AX.25 frame. See new document ***AX25\_plus\_FEC\_equals\_FX25.pdf*** for details.
+
+- Receive AIS location data from ships. Enable by using "-B AIS" command line option or "MODEM AIS" in the configuration file. AIS NMEA sentences are encapsulated in APRS user-defined data with a "{DA" prefix. This uses 9600 bps so you need to use wide band audio, not what comes out of the speaker. There is also a "-A" option to generate APRS Object Reports.
+
+- Receive Emergency Alert System (EAS) Specific Area Message Encoding (SAME). Enable by using "-B EAS" command line option or "MODEM EAS" in the configuration file. EAS SAME messages are encapsulated in APRS user-defined data with a "{DE" prefix. This uses low speed AFSK so speaker output is fine.
+
+- "-t" option now accepts more values to accommodate inconsistent handling of text color control codes by different terminal emulators. The default, 1, should work with most modern terminal types. If the colors are not right, try "-t 9" to see the result of the different choices and pick the best one. If none of them look right, file a bug report and specify: operating system version (e.g. Raspbian Buster), terminal emulator type and version (e.g. LXTerminal 0.3.2). Include a screen capture.
+
+
+- "-g" option to force G3RUH mode for lower speeds where a different modem type may be the default.
+
+- 2400 bps compatibility with MFJ-2400. See ***2400-4800-PSK-for-APRS-Packet-Radio.pdf*** for details
+
+- "atest -h" will display the frame in hexadecimal for closer inspection.
+
+- Add support for Multi-GNSS NMEA sentences.
+
+
+
+### Bugs Fixed: ###
+
+- Proper counting of frames in transmit queue for AGW protocol 'Y' command.
+
+
+
+### New Documentation: ###
+
+- ***AX.25 + FEC = FX.25***
+
+- ***AIS Reception***
+
+- ***AX.25 Throughput: Why is 9600 bps Packet Radio only twice as fast as 1200?***
+
+- [***Ham Radio of Things (HRoT) - IoT over Ham Radio***](https://github.com/wb2osz/hrot)
+
+- [***EAS SAME to APRS Message Converter***](https://github.com/wb2osz/eas2aprs)
+
+- [***Dire Wolf PowerPoint Slide Show***](https://github.com/wb2osz/direwolf-presentation)
+
+### Notes: ###
+
+The Windows binary distribution now uses gcc (MinGW) version 7.4.0.
+The Windows version is built for both 32 and 64 bit operating systems.
+Use the 64 bit version if possible; it runs considerably faster.
+
+
+
+## Version 1.5 -- September 2018 ##
+
+
+### New Features: ###
+
+- PTT using GPIO pin of CM108/CM119 (e.g. DMK URI, RB-USB RIM), Linux only.
+
+- More efficient error recovery for AX.25 connected mode. Better generation and processing of REJ and SREJ to reduce unnecessary duplicate "**I**" frames.
+
+- New configuration option, "**V20**", for listing stations known to not understand AX.25 v2.2. This will speed up connection by going right to SABM and not trying SABME first and failing.
+
+- New "**NOXID**" configuration file option to avoid sending XID command to listed station(s). If other end is a partial v2.2 implementation, which recognizes SABME, but not XID, we would waste a lot of time resending XID many times before giving up. This is less drastic than the "**V20**" option which doesn't even attempt to use v2.2 with listed station(s).
+
+- New application "**kissutil**" for troubleshooting a KISS TNC or interfacing to an application via files.
+
+- KISS "Set Hardware" command to report transmit queue length.
+
+- TCP KISS can now handle multiple concurrent applications.
+
+- Linux can use serial port for KISS in addition to a pseudo terminal.
+
+- decode_aprs utility can now accept KISS frames and AX.25 frames as series of two digit hexadecimal numbers.
+
+- Full Duplex operation. (Put "FULLDUP ON" in channel section of configuration file.)
+
+- Time slots for beaconing.
+
+- Allow single log file with fixed name rather than starting a new one each day.
+
+
+
+### Bugs Fixed: ###
+
+- Possible crash when CDIGIPEAT did not include the optional alias.
+
+- PACLEN configuration item no longer restricts length of received frames.
+
+- Strange failures when trying to use multiple KISS client applications over TCP. Only Linux was affected.
+
+- Under certain conditions, outgoing connected mode data would get stuck in a queue and not be transmitted. This could happen if client application sends a burst of data larger than the "window" size (MAXFRAME or EMAXFRAME option).
+
+
+- Little typographical / spelling errors in messages.
+
+
+### Documentation: ###
+
+
+- New document ***Bluetooth-KISS-TNC.pdf*** explaining how to use KISS over Bluetooth.
+
+- Updates describing cheap SDR frequency inaccuracy and how to compensate for it.
+
+### Notes: ###
+
+Windows binary distribution now uses gcc (MinGW) version 6.3.0.
+
+----------
+
+## Version 1.4 -- April 2017 ##
+
+
+### New Features: ###
+
+- AX.25 v2.2 connected mode. See chapter 10 of User Guide for details.
+
+- New client side packet filter to select "messages" only to stations that have been heard nearby recently. This is now the default if no IS to RF filter is specified.
+
+- New beacon type, IBEACON, for sending IGate statistics.
+
+- Expanded debug options so you can understand what is going on with packet filtering.
+
+- Added new document ***Successful-APRS-IGate-Operation.pdf*** with IGate background, configuration, and troubleshooting tips.
+- 2400 & 4800 bps PSK modems. See ***2400-4800-PSK-for-APRS-Packet-Radio.pdf*** in the doc directory for discussion.
+
+- The top speed of 9600 bps has been increased to 38400. You will need a sound card capable of 96k or 192k samples per second for the higher rates. Radios must also have adequate bandwidth. See ***Going-beyond-9600-baud.pdf*** in the doc directory for more details.
+
+- Better decoder performance for 9600 and higher especially for low audio sample rate to baud ratios.
+
+- Generate waypoint sentences for use by AvMap G5 / G6 or other mapping devices or applications. Formats include
+ - $GPWPL - NMEA generic with only location and name.
+ - $PGRMW - Garmin, adds altitude, symbol, and comment to previously named waypoint.
+ - $PMGNWPL - Magellan, more complete for stationary objects.
+ - $PKWDWPL - Kenwood with APRS style symbol but missing comment.
+
+
+- DTMF tones can be sent by putting "DTMF" in the destination address, similar to the way that Morse Code is sent.
+
+- Take advantage of new 'gpio' group and new /sys/class/gpio ownership in Raspbian Jessie.
+
+- Handle more complicated gpio naming for CubieBoard, etc.
+
+- More flexible dw-start.sh start up script for both GUI and CLI environments.
+
+
+
+### Bugs Fixed: ###
+
+- The transmitter (PTT control) was being turned off too soon when sending Morse Code.
+
+- The -qd (quiet decode) command line option now suppresses errors about improperly formed Telemetry packets.
+
+- Longer tocall.txt files can now be handled.
+
+- Sometimes kissattach would have an issue with the Dire Wolf pseudo terminal. This showed up most often on Raspbian but sometimes occurred with other versions of Linux.
+
+ *kissattach: Error setting line discipline: TIOCSETD: Device or resource busy
+ Are you sure you have enabled MKISS support in the kernel
+ or, if you made it a module, that the module is loaded?*
+
+
+- Sometimes writes to a pseudo terminal would block causing the received
+frame processing thread to hang. The first thing you will notice is that
+received frames are not being printed. After a while this message will appear:
+
+ *Received frame queue is out of control. Length=... Reader thread is probably
+ frozen. This can be caused by using a pseudo terminal (direwolf -p) where
+ another application is not reading the frames from the other side.*
+
+- -p command line option caused segmentation fault with glibc >= 2.24.
+
+
+- The Windows version 1.3 would crash when starting to transmit on Windows XP. There have also been some other reports of erratic behavior on Windows. The crashing problem was fixed in in the 1.3.1 patch release. Linux version was not affected.
+
+- IGate did not retain nul characters in the information part of a packet. This should never happen with a valid APRS packet but there are a couple cases where it has. If we encounter these malformed packets, pass them along as-is, rather than truncating.
+
+- Don't digipeat packets when the source is my call.
+
+
+
+----------
+
+## Version 1.3 -- May 2016 ##
+
+### New Features: ###
+
+- Support for Mac OS X.
+
+- Many APRStt enhancements including: Morse code and speech responses to to APRStt tone sequences, new 5 digit callsign suffix abbreviation,
+position ambiguity for latitude and longitude in object reports
+
+- APRS Telemetry Toolkit.
+
+- GPS Tracker beacons are now available for the Windows version. Previously this was only in the Linux version.
+
+- SATgate mode for IGate. Packets heard directly are delayed before being sent
+to the Internet Server. This favors digipeated packets because the original
+arrives later and gets dropped if there are duplicates.
+
+- Added support for hamlib. This provides more flexible options for PTT control.
+
+- Implemented AGW network protocol 'M' message for sending UNPROTO information without digipeater path.
+
+
+- A list of all symbols available can be obtained with the -S
+command line option.
+
+- Command line option "-a n" to print audio device statistics each n seconds. Previously this was always each 100 seconds on Linux and not available on Windows.
+
+### Bugs Fixed: ###
+
+
+
+- Fixed several cases where crashes were caused by unexpected packet contents:
+
+ - When receiving packet with unexpected form of GPS NMEA sentence.
+
+ - When receiving packet with comment of a few hundred characters.
+
+ - Address in path, from Internet server, more than 9 characters.
+
+- "INTERNAL ERROR: dlq_append NULL packet pointer." when using PASSALL.
+
+- In Mac OSX version: Assertion failed: (adev[a].inbuf_size_in_bytes >= 100 && adev[a].inbuf_size_in_bytes <= 32768), function audio_get, file audio_portaudio.c, line 917.
+
+- Tracker beacons were not always updating the location properly.
+
+- AGW network protocol now works properly for big-endian processors
+such as PowerPC or MIPS.
+
+- Packet filtering treated telemetry metadata as messages rather than telemetry.
+
+----------
+
+## Version 1.2 -- June 2015 ##
+
+### New Features ###
+
+- Improved decoder performance.
+Over 1000 error-free frames decoded from WA8LMF TNC Test CD.
+See ***A-Better-APRS-Packet-Demodulator-Part-1-1200-baud.pdf*** for details.
+
+- Up to 3 soundcards and 6 radio channels can be handled at the same time.
+
+- New framework for applications which listen for Touch Tone commands
+and respond with voice. A sample calculator application is included
+as a starting point for building more interesting applications.
+For example, if it hears the DTMF sequence "2*3*4#" it will respond
+with the spoken words "Twenty Four."
+
+- Reduced latency for transfers to/from soundcards.
+
+- More accurate transmit PTT timing.
+
+- Packet filtering for digipeater and IGate.
+
+- New command line -q (quiet) option to suppress some types of output.
+
+- Attempted fixing of corrupted bits now works for 9600 baud.
+
+- Implemented AGW network protocol 'y' message so applications can
+throttle generation of packets when sending a large file.
+
+- When using serial port RTS/DTR to activate transmitter, the two
+control lines can now be driven with opposite polarity as required
+by some interfaces.
+
+- Data Carrier Detect (DCD) can be sent to an output line (just
+like PTT) to activate a carrier detect light.
+
+- Linux "man" pages for on-line documentation.
+
+- AGWPORT and KISSPORT can be set to 0 to disable the interfaces.
+
+- APRStt gateway enhancements: MGRS/USNG coordinates, new APRStt3
+format call, satellite grid squares.
+
+
+### Bugs fixed ###
+
+- Fixed "gen_packets" so it now handles user-specified messages correctly.
+
+- Under some circumstances PTT would be held on long after the transmit
+audio was finished.
+
+
+
+### Known problems ###
+
+- Sometimes writes to a pseudo terminal will block causing the received
+frame processing thread to hang. The first thing you will notice is that
+received frames are not being printed. After a while this message will appear:
+
+ Received frame queue is out of control. Length=... Reader thread is probably
+ frozen. This can be caused by using a pseudo terminal (direwolf -p) where
+ another application is not reading the frames from the other side.
+
+-----------
+
+## Version 1.1 -- December 2014 ##
+
+### New Features ###
+
+- Logging of received packets and utility to convert log file
+into GPX format.
+
+- AGW network port formerly allowed only one connection at a
+time. It can now accept 3 client applications at the same time.
+(Same has not yet been done for network KISS port.)
+
+- Frequency / offset / tone standard formats are now recognized.
+Non-standard attempts, in the comment, are often detected and
+a message suggests the correct format.
+
+- Telemetry is now recognized. Messages are printed for
+usage that does not adhere to the published standard.
+
+- Tracker function transmits location from GPS position.
+New configuration file options: TBEACON and SMARTBEACONING.
+(For Linux only. Warning - has not been well tested.)
+
+- Experimental packet regeneration feature for HF use.
+Will be documented later if proves to be useful...
+
+- Several enhancements for trying to fix incorrect CRC:
+Additional types of attempts to fix a bad CRC.
+Optimized code to reduce execution time.
+Improved detection of duplicate packets from different fixup attempts.
+Set limit on number of packets in fix up later queue.
+
+- Beacon positions can be specified in either latitude / longitude
+or UTM coordinates.
+
+- It is still highly recommended, but no longer mandatory, that
+beaconing be enabled for digipeating to work.
+
+* Bugs fixed:
+
+- For Windows version, maximum serial port was COM9.
+It is now possible to use COM10 and higher.
+
+- Fixed issue with KISS protocol decoder state that showed up
+only with "binary" data in packets (e.g. RMS Express).
+
+- An extra 00 byte was being appended to packets from AGW
+network protocol 'K' messages.
+
+- Invalid data from an AGW client application could cause an
+application crash.
+
+- OSS (audio interface for non-Linux versions of Unix) should
+be better now.
+
+### Known problems ###
+
+- Sometimes kissattach fails to connect with "direwolf -p".
+The User Guide and Raspberry Pi APRS document have a couple work-arounds.
+
+-----------
+
+## Version 1.0a -- May 2014 ##
+
+### Bug fixed ###
+
+- Beacons sent directly to IGate server had incorrect source address.
+
+-----------
+
+## Version 1.0 -- May 2014 ##
+
+### New Features ###
+
+- Received audio can be obtained with a UDP socket or stdin.
+This can be used to take audio from software defined radios
+such as rtl_fm or gqrx.
+
+- 9600 baud data rate.
+
+- New PBEACON and OBEACON configuration options. Previously
+it was necessary to handcraft beacons.
+
+- Less CPU power required for 300 baud. This is important
+if you want to run a bunch of decoders at the same time
+to tolerate off-frequency HF SSB signals.
+
+- Improved support for UTF-8 character set.
+
+- Improved troubleshooting display for APRStt macros.
+
+- In earlier versions, the DTMF decoder was always active because it
+took a negligible amount of CPU time. Unfortunately this sometimes
+resulted in too many false positives from some other types of digital
+transmissions heard on HF. Starting in version 1.0, the DTMF decoder
+is enabled only when the APRStt gateway is configured.
+
+
+-----------
+
+## Version 0.9 --November 2013 ##
+
+### New Features ###
+
+- Selection of non-default audio device for Linux ALSA.
+
+- Simplified audio device set up for Raspberry Pi.
+
+- GPIO lines can be used for PTT on suitable Linux systems.
+
+- Improved 1200 baud decoder.
+
+- Multiple decoders per channel to tolerate HF SSB signals off frequency.
+
+- Command line option "-t 0" to disable text colors.
+
+- APRStt macros which allow short numeric only touch tone
+sequences to be processed as much longer predefined sequences.
+
+
+### Bugs Fixed ###
+
+- Now works on 64 bit target.
+
+### New Restriction for Windows version ###
+
+- Minimum processor is now Pentium 3 or equivalent or later.
+It's possible to run on something older but you will need
+to rebuild it from source.
+
+
+-----------
+
+## Version 0.8 -- August 2013 ##
+
+### New Features ###
+
+- Internet Gateway (IGate) including IPv6 support.
+
+- Compatibility with YAAC.
+
+- Preemptive digipeating option.
+
+- KISS TNC should now work with connected AX.25 protocols
+(e.g. AX25 for Linux), not just APRS.
+
+
+----------
+
+## Version 0.7 -- March 2013 ##
+
+### New Features: ###
+
+- Added APRStt gateway capability. For details, see ***APRStt-Implementation-Notes.pdf***
+
+
+-----------
+
+## Version 0.6 -- February 2013 ##
+
+### New Features ###
+
+- Improved performance of AFSK demodulator.
+Now decodes 965 frames from Track 2 of WA8LMF's TNC Test CD.
+
+- KISS protocol now available thru a TCP socket.
+Default port is 8001.
+Change it with KISSPORT option in configuration file.
+
+- Ability to salvage frames with bad FCS.
+See section mentioning "bad apple" in the user guide.
+Default of fixing 1 bit works well.
+Fixing more bits not recommended because there is a high
+probability of occasional corrupted data getting thru.
+
+- Added AGW "monitor" format messages.
+Now compatible with APRS-TW for telemetry.
+
+
+### Known Problem ###
+
+- The Linux (but not Cygwin) version eventually hangs if nothing is
+reading from the KISS pseudo terminal. Some operating system
+queue fills up, the application write blocks, and decoding stops.
+
+
+### Workaround ###
+
+- If another application is not using the serial KISS interface,
+run this in another window:
+
+ tail -f /tmp/kisstnc
+
+-----------
+
+## Version 0.5 -- March 2012 ##
+
+- More error checking and messages for invalid APRS data.
+
+-----------
+
+## Version 0.4 -- September 2011 ##
+
+- First general availability.
+
diff --git a/CHANGES.txt b/CHANGES.txt
deleted file mode 100644
index 228f1724..00000000
--- a/CHANGES.txt
+++ /dev/null
@@ -1,167 +0,0 @@
-----------------
-Revision history
-----------------
-
-
------------
-Version 1.0a May 2014
------------
-
-* Bug fix:
-
-Beacons sent directly to IGate server had incorrect source address.
-
-
-
------------
-Version 1.0 May 2014
------------
-
-* New Features:
-
-Received audio can be obtained with a UDP socket or stdin.
-This can be used to take audio from software defined radios
-such as rtl_fm or gqrx.
-
-9600 baud data rate.
-
-New PBEACON and OBEACON configuration options. Previously
-it was necessary to handcraft beacons.
-
-Less CPU power required for 300 baud. This is important
-if you want to run a bunch of decoders at the same time
-to tolerate off-frequency HF SSB signals.
-
-Improved support for UTF-8 character set.
-
-Improved troubleshooting display for APRStt macros.
-
-
-
------------
-Version 0.9 November 2013
------------
-
-* New Features:
-
-Selection of non-default audio device for Linux ALSA.
-
-Simplified audio device set up for Raspberry Pi.
-
-GPIO lines can be used for PTT on suitable Linux systems.
-
-Improved 1200 baud decoder.
-
-Multiple decoders per channel to tolerate HF SSB signals off frequency.
-
-Command line option "-t 0" to disable text colors.
-
-APRStt macros which allow short numeric only touch tone
-sequences to be processed as much longer predefined sequences.
-
-
-
-* Bugs Fixed:
-
-Now works on 64 bit target.
-
-
-
-* New Restriction for Windows version:
-
-Minimum processor is now Pentium 3 or equivalent or later.
-It's possible to run on something older but you will need
-to rebuild it from source.
-
-
-
-
------------
-Version 0.8 August 2013
------------
-
-* New Features:
-
-Internet Gateway (IGate) including IPv6 support.
-
-Compatibility with YAAC.
-
-Preemptive digipeating option.
-
-KISS TNC should now work with connected AX.25 protocols
-(e.g. AX25 for Linux), not just APRS.
-
-
-
------------
-Version 0.7 March 2013
------------
-
-* New Features:
-
-Added APRStt gateway capability. For details, see:
-
-APRStt-Implementation-Notes.pdf
-
-
-
-
------------
-Version 0.6
------------
-
-
-* New Features:
-
-Improved performance of AFSK demodulator.
-Now decodes 965 frames from Track 2 of WA8LMF’s TNC Test CD.
-
-KISS protocol now available thru a TCP socket.
-Default port is 8001.
-Change it with KISSPORT option in configuration file.
-
-Ability to salvage frames with bad FCS.
-See section mentioning "bad apple" in the user guide.
-Default of fixing 1 bit works well.
-Fixing more bits not recommended because there is a high
-probability of occasional corrupted data getting thru.
-
-Added AGW "monitor" format messages.
-Now compatible with APRS-TW for telemetry.
-
-
-* Bugs Fixed:
-
-None.
-
-
-
-* Known Problem:
-
-The Linux (but not Cygwin) version eventually hangs if nothing is
-reading from the KISS pseudo terminal. Some operating system
-queue fills up, the application write blocks, and decoding stops.
-
-
-* Workaround:
-
-If another application is not using the serial KISS interface,
-run this in another window:
-
- tail -f /tmp/kisstnc
-
-
------------
-Version 0.5
------------
-
-
-More error checking and messages for invalid APRS data.
-
-
------------
-Version 0.4
------------
-
-First general availability.
-
diff --git a/CMakeLists.txt b/CMakeLists.txt
new file mode 100644
index 00000000..182a9b4d
--- /dev/null
+++ b/CMakeLists.txt
@@ -0,0 +1,414 @@
+cmake_minimum_required(VERSION 3.5.0)
+
+project(direwolf)
+
+# configure version
+set(direwolf_VERSION_MAJOR "1")
+set(direwolf_VERSION_MINOR "7")
+set(direwolf_VERSION_PATCH "0")
+set(direwolf_VERSION_SUFFIX "Development")
+
+# options
+# See Issue 297.
+option(FORCE_SSE "Compile with SSE instruction only" ON)
+option(FORCE_SSSE3 "Compile with SSSE3 instruction only" OFF)
+option(FORCE_SSE41 "Compile with SSE4.1 instruction only" OFF)
+option(OPTIONAL_TEST "Compile optional test (might be broken)" OFF)
+# UNITTEST option must be after CMAKE_BUILT_TYPE
+
+# where cmake find custom modules
+list(APPEND CMAKE_MODULE_PATH ${CMAKE_SOURCE_DIR}/cmake/modules)
+
+# fix c standard used on the project
+set(CMAKE_C_STANDARD 99)
+
+# Set additional project information
+set(COMPANY "wb2osz")
+add_definitions("-DCOMPANY=\"${COMPANY}\"")
+set(APPLICATION_NAME "Dire Wolf")
+add_definitions("-DAPPLICATION_NAME=\"${APPLICATION_NAME}\"")
+set(APPLICATION_MAINTAINER="John Langner, WB2OSZ")
+set(COPYRIGHT "Copyright (c) 2019 John Langner, WB2OSZ. All rights reserved.")
+add_definitions("-DCOPYRIGHT=\"${COPYRIGHT}\"")
+set(IDENTIFIER "com.${COMPANY}.${APPLICATION_NAME}")
+add_definitions("-DIDENTIFIER=\"${IDENTIFIER}\"")
+# raspberry as only lxterminal not xterm
+if(NOT (WIN32 OR CYGWIN))
+ find_program(BINARY_TERMINAL_BIN lxterminal)
+ if(BINARY_TERMINAL_BIN)
+ set(APPLICATION_DESKTOP_EXEC "${BINARY_TERMINAL_BIN} -e ${CMAKE_PROJECT_NAME}")
+ else()
+ set(APPLICATION_DESKTOP_EXEC "xterm -e ${CMAKE_PROJECT_NAME}")
+ endif()
+endif()
+
+find_package(Git)
+if(GIT_FOUND AND EXISTS "${CMAKE_SOURCE_DIR}/.git/")
+ # we can also use `git describe --tags`
+ execute_process(COMMAND "${GIT_EXECUTABLE}" rev-parse --short HEAD
+ WORKING_DIRECTORY "${CMAKE_SOURCE_DIR}"
+ RESULT_VARIABLE res
+ OUTPUT_VARIABLE out
+ ERROR_QUIET
+ OUTPUT_STRIP_TRAILING_WHITESPACE)
+ if(NOT res)
+ string(REGEX REPLACE "^v([0-9]+)\.([0-9]+)\.([0-9]+)-" "" git_commit ${out})
+ set(direwolf_VERSION_SUFFIX "-${git_commit}")
+ set(direwolf_VERSION_COMMIT "${git_commit}")
+ endif()
+endif()
+
+# set variables
+set(direwolf_VERSION "${direwolf_VERSION_MAJOR}.${direwolf_VERSION_MINOR}.${direwolf_VERSION_PATCH}${direwolf_VERSION_SUFFIX}")
+message(STATUS "${APPLICATION_NAME} Version: ${direwolf_VERSION}")
+add_definitions("-DIREWOLF_VERSION=\"${direwolf_VERSION}\"")
+add_definitions("-DMAJOR_VERSION=${direwolf_VERSION_MAJOR}")
+add_definitions("-DMINOR_VERSION=${direwolf_VERSION_MINOR}")
+if(direwolf_VERSION_COMMIT)
+ add_definitions("-DEXTRA_VERSION=${direwolf_VERSION_COMMIT}")
+endif()
+
+set(CUSTOM_SRC_DIR "${CMAKE_SOURCE_DIR}/src")
+set(CUSTOM_EXTERNAL_DIR "${CMAKE_SOURCE_DIR}/external")
+set(CUSTOM_MISC_DIR "${CUSTOM_EXTERNAL_DIR}/misc")
+set(CUSTOM_REGEX_DIR "${CUSTOM_EXTERNAL_DIR}/regex")
+set(CUSTOM_HIDAPI_DIR "${CUSTOM_EXTERNAL_DIR}/hidapi")
+set(CUSTOM_GEOTRANZ_DIR "${CUSTOM_EXTERNAL_DIR}/geotranz")
+set(CUSTOM_DATA_DIR "${CMAKE_SOURCE_DIR}/data")
+set(CUSTOM_SCRIPTS_DIR "${CMAKE_SOURCE_DIR}/scripts")
+set(CUSTOM_TELEMETRY_DIR "${CUSTOM_SCRIPTS_DIR}/telemetry-toolkit")
+set(CUSTOM_CONF_DIR "${CMAKE_SOURCE_DIR}/conf")
+set(CUSTOM_DOC_DIR "${CMAKE_SOURCE_DIR}/doc")
+set(CUSTOM_MAN_DIR "${CMAKE_SOURCE_DIR}/man")
+set(CUSTOM_TEST_DIR "${CMAKE_SOURCE_DIR}/test")
+set(CUSTOM_TEST_SCRIPTS_DIR "${CUSTOM_TEST_DIR}/scripts")
+set(CUSTOM_SHELL_SHABANG "#!/bin/sh -e")
+
+# cpack variables
+set(CPACK_GENERATOR "ZIP")
+set(CPACK_STRIP_FILES true)
+set(CPACK_PACKAGE_NAME "${CMAKE_PROJECT_NAME}")
+# This has architecture of the build machine, not the target platform.
+# e.g. Comes out as x86_64 when building for i686 target platform.
+#set(CPACK_PACKAGE_FILE_NAME "${CMAKE_PROJECT_NAME}-${direwolf_VERSION}_${CMAKE_SYSTEM_PROCESSOR}")
+# We don't know the target yet so this is set after FindCPUflags.
+set(CPACK_PACKAGE_CONTACT "https://github.com/wb2osz/direwolf")
+SET(CPACK_PACKAGE_DESCRIPTION_SUMMARY "Dire Wolf is an AX.25 soundcard TNC, digipeater, APRS IGate, GPS tracker, and APRStt gateway")
+set(CPACK_PACKAGE_DESCRIPTION_FILE "${CMAKE_SOURCE_DIR}/README.md")
+set(CPACK_RESOURCE_FILE_README "${CMAKE_SOURCE_DIR}/README.md")
+set(CPACK_RESOURCE_FILE_LICENSE "${CMAKE_SOURCE_DIR}/LICENSE")
+set(CPACK_SOURCE_IGNORE_FILES "${PROJECT_BINARY_DIR};/.git/;.gitignore;menu.yml;.travis.yml;.appveyor.yml;default.nix;.envrc;TODOs.org;/.scripts/")
+SET(CPACK_PACKAGE_VERSION "${direwolf_VERSION}")
+SET(CPACK_PACKAGE_VERSION_MAJOR "${direwolf_VERSION_MAJOR}")
+SET(CPACK_PACKAGE_VERSION_MINOR "${direwolf_VERSION_MINOR}")
+SET(CPACK_PACKAGE_VERSION_PATCH "${direwolf_VERSION_PATCH}")
+SET(CPACK_DEBIAN_PACKAGE_DEPENDS "libasound2,libgps23")
+
+# if we don't set build_type
+if(NOT DEFINED CMAKE_BUILD_TYPE OR "${CMAKE_BUILD_TYPE}" STREQUAL "")
+ set(CMAKE_BUILD_TYPE Release CACHE STRING "Build type" FORCE)
+endif()
+message(STATUS "Build type set to: ${CMAKE_BUILD_TYPE}")
+message("CMake system: ${CMAKE_SYSTEM_NAME}")
+
+# Unittest should be on for dev builds and off for releases.
+if(CMAKE_BUILD_TYPE MATCHES "Release")
+ option(UNITTEST "Build unittest binaries." OFF)
+else()
+ option(UNITTEST "Build unittest binaries." ON)
+endif()
+
+# set compiler
+include(FindCompiler)
+
+# find cpu flags (and set compiler)
+include(FindCPUflags)
+
+if(${ARCHITECTURE} MATCHES "x86")
+ set(CPACK_PACKAGE_FILE_NAME "${CMAKE_PROJECT_NAME}-${direwolf_VERSION}_i686")
+else()
+ set(CPACK_PACKAGE_FILE_NAME "${CMAKE_PROJECT_NAME}-${direwolf_VERSION}_${ARCHITECTURE}")
+endif()
+
+# auto include current directory
+set(CMAKE_INCLUDE_CURRENT_DIR ON)
+
+# set OS dependent variables
+if(${CMAKE_SYSTEM_NAME} STREQUAL "Linux")
+ set(LINUX TRUE)
+
+ configure_file("${CMAKE_SOURCE_DIR}/cmake/cpack/${CMAKE_PROJECT_NAME}.desktop.in"
+ "${CMAKE_BINARY_DIR}/${CMAKE_PROJECT_NAME}.desktop" @ONLY)
+
+elseif(${CMAKE_SYSTEM_NAME} STREQUAL "FreeBSD")
+ set(FREEBSD TRUE)
+ configure_file("${CMAKE_SOURCE_DIR}/cmake/cpack/${CMAKE_PROJECT_NAME}.desktop.in"
+ "${CMAKE_BINARY_DIR}/${CMAKE_PROJECT_NAME}.desktop" @ONLY)
+
+elseif(${CMAKE_SYSTEM_NAME} STREQUAL "OpenBSD")
+ set(OPENBSD TRUE)
+ set(HAVE_SNDIO TRUE)
+
+elseif(APPLE)
+ if("${CMAKE_OSX_DEPLOYMENT_TARGET}" STREQUAL "")
+ message(STATUS "Build for macOS target: local version")
+ else()
+ message(STATUS "Build for macOS target: ${CMAKE_OSX_DEPLOYMENT_TARGET}")
+ endif()
+
+ # prepend path to find_*()
+ set(CMAKE_FIND_ROOT_PATH "/opt/local")
+
+ set(CMAKE_MACOSX_RPATH ON)
+ message(STATUS "RPATH support: ${CMAKE_MACOSX_RPATH}")
+
+ # just blindly enable dns-sd
+ set(USE_MACOS_DNSSD ON)
+ set(CMAKE_C_FLAGS "${CMAKE_C_FLAGS} -DUSE_MACOS_DNSSD")
+
+elseif (WIN32)
+ if(C_MSVC)
+ if (NOT VS2015 AND NOT VS2017 AND NOT VS2019)
+ message(FATAL_ERROR "You must use Microsoft Visual Studio 2015, 2017 or 2019 as compiler")
+ else()
+ # compile with full multicore
+ set(CMAKE_C_FLAGS "${CMAKE_C_FLAGS} /MP")
+ set(CMAKE_CXX_FLAGS "${CMAKE_CXX_FLAGS} /MP")
+ set(CUSTOM_SHELL_BIN "")
+ endif()
+ endif()
+endif()
+
+if (C_CLANG OR C_GCC)
+ # _BSD_SOURCE is deprecated we need to use _DEFAULT_SOURCE.
+ #
+ # That works find for more modern compilers but we have issues with:
+ # Centos 7, gcc 4.8.5, glibc 2.17
+ # Centos 6, gcc 4.4.7, glibc 2.12
+ #
+ # CentOS 6 & 7: Without -D_BSD_SOURCE, we get Warning: Implicit declaration of
+ # functions alloca, cfmakeraw, scandir, setlinebuf, strcasecmp, strncasecmp, and strsep.
+ # When a function (like strsep) returns a pointer, the compiler instead assumes a 32 bit
+ # int and sign extends it out to be a 64 bit pointer. Use the pointer and Kaboom!
+ #
+ # CentOS 6: We have additional problem. Without -D_POSIX_C_SOURCE=199309L, we get
+ # implicit declaration of function clock_gettime and the linker can't find it.
+ #
+ # It turns out that -D_GNU_SOURCE can be used instead of both of those. For more information,
+ # see https://www.gnu.org/software/libc/manual/html_node/Feature-Test-Macros.html
+ #
+ # Why was this not an issue before? If gcc is used without the -std=c99 option,
+ # it is perfectly happy with clock_gettime, strsep, etc. but with the c99 option, it no longer
+ # recognizes a bunch of commonly used functions. Using _GNU_SOURCE, rather than _DEFAULT_SOURCE
+ # solves the problem for CentOS 6 & 7. This also makes -D_XOPEN_SOURCE= unnecessary.
+ # I hope it doesn't break with newer versions of glibc.
+ #
+ # I also took out -Wextra because it spews out so much noise a serious problem was not noticed.
+ # It might go back in someday when I have more patience to clean up all the warnings.
+ #
+
+ # TODO:
+ # Try error checking -fsanitize=bounds-strict -fsanitize=leak
+ # Requires libubsan and liblsan, respectively.
+
+ ###set(CMAKE_C_FLAGS "${CMAKE_C_FLAGS} -Wall -Wextra -Wvla -ffast-math -ftree-vectorize -D_XOPEN_SOURCE=600 -D_DEFAULT_SOURCE ${EXTRA_FLAGS}")
+ if(FREEBSD)
+ set(CMAKE_C_FLAGS "${CMAKE_C_FLAGS} -Wall -Wextra -Wvla -ffast-math -ftree-vectorize -D_DEFAULT_SOURCE ${EXTRA_FLAGS}")
+ else()
+ #set(CMAKE_C_FLAGS "${CMAKE_C_FLAGS} -Wall -Wvla -ffast-math -ftree-vectorize -D_GNU_SOURCE -fsanitize=bounds-strict ${EXTRA_FLAGS}")
+ set(CMAKE_C_FLAGS "${CMAKE_C_FLAGS} -Wall -Wvla -ffast-math -ftree-vectorize -D_GNU_SOURCE ${EXTRA_FLAGS}")
+ endif()
+ #
+ #
+ # -lm is needed for functions in math.h
+ if (LINUX)
+ # We have another problem with CentOS 6. clock_gettime() is in librt so we need -lrt.
+ # The clock_* functions were moved into gnu libc for version 2.17.
+ # https://sourceware.org/ml/libc-announce/2012/msg00001.html
+ # If using gnu libc 2.17, or later, the -lrt is no longer needed but doesn't hurt.
+ # I'm making this conditional on LINUX because it is not needed for BSD and MacOSX.
+ link_libraries("-lrt -lm")
+ else()
+ link_libraries("-lm")
+ endif()
+elseif (C_MSVC)
+ set(CMAKE_C_FLAGS "${CMAKE_C_FLAGS} -W3 -MP ${EXTRA_FLAGS}")
+endif()
+
+if (C_CLANG)
+ set(CMAKE_C_FLAGS "${CMAKE_C_FLAGS} -ferror-limit=1")
+elseif (C_GCC)
+ set(CMAKE_C_FLAGS "${CMAKE_C_FLAGS} -fmax-errors=1")
+endif()
+
+# set installation directories
+if (WIN32 OR CYGWIN)
+ set(INSTALL_BIN_DIR ".")
+ set(INSTALL_DOC_DIR "doc")
+ set(INSTALL_CONF_DIR ".")
+ set(INSTALL_SCRIPTS_DIR "scripts")
+ set(INSTALL_MAN_DIR "man")
+ set(INSTALL_DATA_DIR "data")
+else()
+ set(INSTALL_BIN_DIR "bin")
+ set(INSTALL_DOC_DIR "share/doc/${CMAKE_PROJECT_NAME}")
+ set(INSTALL_CONF_DIR "${INSTALL_DOC_DIR}/conf")
+ set(INSTALL_SCRIPTS_DIR "${INSTALL_DOC_DIR}/scripts")
+ if(FREEBSD)
+ set(INSTALL_MAN_DIR "man/man1")
+ else()
+ set(INSTALL_MAN_DIR "share/man/man1")
+ endif()
+ set(INSTALL_DATA_DIR "share/${PROJECT_NAME}")
+endif(WIN32 OR CYGWIN)
+
+# requirements
+
+include(CheckSymbolExists)
+
+# Some platforms provide their own strlcpy & strlcat. (BSD, MacOSX)
+# Others don't so we provide our own. (Windows, most, but not all Linux)
+# Here we detect whether these are provided by the OS and set a symbol
+# so that:
+# (1) libgps does not supply its own version.
+# (2) we know whether we need to supply our own copy.
+#
+# This was all working fine until these were added to the gnu c library 2.38.
+# References:
+# - https://www.gnu.org/software/libc/sources.html
+# - https://sourceware.org/git/?p=glibc.git;a=blob_plain;f=NEWS;hb=HEAD
+#
+# This test is not detecting them for glibc 2.38 resulting in a conflict.
+# Why? Are they declared in a different file or in some strange way?
+#
+# This is how they are declared in include/string.h:
+#
+# extern __typeof (strlcpy) __strlcpy;
+# libc_hidden_proto (__strlcpy)
+# extern __typeof (strlcat) __strlcat;
+# libc_hidden_proto (__strlcat)
+#
+# Apparently cmake does not recognize this style.
+# Keep this here for BSD type systems where it behaves as expected.
+# We will need to add a hack in direwolf.h to define these if glibc version >= 2.38.
+
+check_symbol_exists(strlcpy string.h HAVE_STRLCPY)
+if(HAVE_STRLCPY)
+ add_compile_options(-DHAVE_STRLCPY)
+endif()
+check_symbol_exists(strlcat string.h HAVE_STRLCAT)
+if(HAVE_STRLCAT)
+ add_compile_options(-DHAVE_STRLCAT)
+endif()
+
+set(THREADS_PREFER_PTHREAD_FLAG ON)
+find_package(Threads REQUIRED)
+
+find_package(GPSD)
+if(GPSD_FOUND)
+ set(CMAKE_C_FLAGS "${CMAKE_C_FLAGS} -DENABLE_GPSD")
+else()
+ set(GPSD_INCLUDE_DIRS "")
+ set(GPSD_LIBRARIES "")
+endif()
+
+find_package(hamlib)
+if(HAMLIB_FOUND)
+ set(CMAKE_C_FLAGS "${CMAKE_C_FLAGS} -DUSE_HAMLIB")
+else()
+ set(HAMLIB_INCLUDE_DIRS "")
+ set(HAMLIB_LIBRARIES "")
+endif()
+
+if(LINUX)
+ find_package(ALSA REQUIRED)
+ if(ALSA_FOUND)
+ set(CMAKE_C_FLAGS "${CMAKE_C_FLAGS} -DUSE_ALSA")
+ endif()
+
+ find_package(udev)
+ if(UDEV_FOUND)
+ set(CMAKE_C_FLAGS "${CMAKE_C_FLAGS} -DUSE_CM108")
+ endif()
+
+ find_package(Avahi)
+ if(AVAHI_CLIENT_FOUND)
+ set(CMAKE_C_FLAGS "${CMAKE_C_FLAGS} -DUSE_AVAHI_CLIENT")
+ endif()
+
+elseif (HAVE_SNDIO)
+ find_package(sndio REQUIRED)
+ if(SNDIO_FOUND)
+ set(CMAKE_C_FLAGS "${CMAKE_C_FLAGS} -DUSE_SNDIO")
+ endif()
+
+elseif (NOT WIN32 AND NOT CYGWIN)
+ find_package(Portaudio REQUIRED)
+ if(PORTAUDIO_FOUND)
+ set(CMAKE_C_FLAGS "${CMAKE_C_FLAGS} -DUSE_PORTAUDIO")
+ endif()
+
+else()
+ set(ALSA_INCLUDE_DIRS "")
+ set(ALSA_LIBRARIES "")
+ set(UDEV_INCLUDE_DIRS "")
+ set(UDEV_LIBRARIES "")
+ # Version 1.7 supports CM108/CM119 GPIO PTT for Windows.
+ set(CMAKE_C_FLAGS "${CMAKE_C_FLAGS} -DUSE_CM108")
+ set(PORTAUDIO_INCLUDE_DIRS "")
+ set(PORTAUDIO_LIBRARIES "")
+ set(SNDIO_INCLUDE_DIRS "")
+ set(SNDIO_LIBRARIES "")
+endif()
+
+# manage and fetch new data
+add_subdirectory(data)
+
+# external libraries
+add_subdirectory(${CUSTOM_GEOTRANZ_DIR})
+add_subdirectory(${CUSTOM_REGEX_DIR})
+add_subdirectory(${CUSTOM_HIDAPI_DIR})
+add_subdirectory(${CUSTOM_MISC_DIR})
+
+# direwolf source code and utilities
+add_subdirectory(src)
+
+# ctest
+if(UNITTEST)
+ message(STATUS "Build unit test binaries")
+ include(CTest)
+ enable_testing()
+ add_subdirectory(test)
+endif(UNITTEST)
+
+# manage scripts
+add_subdirectory(scripts)
+
+# manage config
+add_subdirectory(conf)
+
+# install basic docs
+install(FILES ${CMAKE_SOURCE_DIR}/CHANGES.md DESTINATION ${INSTALL_DOC_DIR})
+install(FILES ${CMAKE_SOURCE_DIR}/LICENSE DESTINATION ${INSTALL_DOC_DIR})
+install(FILES ${CMAKE_SOURCE_DIR}/external/LICENSE DESTINATION ${INSTALL_DOC_DIR}/external)
+add_subdirectory(doc)
+add_subdirectory(man)
+
+# install desktop link
+if (LINUX OR FREEBSD)
+ install(FILES ${CMAKE_BINARY_DIR}/${CMAKE_PROJECT_NAME}.desktop DESTINATION share/applications)
+ install(FILES ${CMAKE_SOURCE_DIR}/cmake/cpack/${CMAKE_PROJECT_NAME}_icon.png DESTINATION share/pixmaps)
+endif()
+
+############ uninstall target ################
+configure_file(
+ "${CMAKE_CURRENT_SOURCE_DIR}/cmake/include/uninstall.cmake.in"
+ "${CMAKE_CURRENT_BINARY_DIR}/uninstall.cmake"
+ IMMEDIATE @ONLY)
+
+add_custom_target(uninstall
+ COMMAND ${CMAKE_COMMAND} -P
+ ${CMAKE_CURRENT_BINARY_DIR}/uninstall.cmake)
+
+############ packaging ################
+add_subdirectory(cmake/cpack)
diff --git a/LICENSE-dire-wolf.txt b/LICENSE
similarity index 100%
rename from LICENSE-dire-wolf.txt
rename to LICENSE
diff --git a/Makefile b/Makefile
new file mode 100644
index 00000000..7b0dcf76
--- /dev/null
+++ b/Makefile
@@ -0,0 +1,36 @@
+
+all:
+ @echo "The build procedure has changed in version 1.6."
+ @echo "In general, it now looks like this:"
+ @echo " "
+ @echo "Download the source code:"
+ @echo " "
+ @echo " cd ~"
+ @echo " git clone https://www.github.com/wb2osz/direwolf"
+ @echo " cd direwolf"
+ @echo " "
+ @echo "Optional - Do this to get the latest development version"
+ @echo "rather than the latest stable release."
+ @echo " "
+ @echo " git checkout dev"
+ @echo " "
+ @echo "Build it. There are two new steps not used for earlier releases."
+ @echo " "
+ @echo " mkdir build && cd build"
+ @echo " cmake .."
+ @echo " make -j4"
+ @echo " "
+ @echo "Install:"
+ @echo " "
+ @echo " sudo make install"
+ @echo " make install-conf"
+ @echo " "
+ @echo "You will probably need to install additional applications and"
+ @echo "libraries depending on your operating system."
+ @echo "More details are in the README.md file."
+ @echo " "
+ @echo "Questions?"
+ @echo " "
+ @echo " - Extensive documentation can be found in the 'doc' directory."
+ @echo " - Join the discussion forum here: https://groups.io/g/direwolf"
+ @echo " "
diff --git a/Makefile.linux b/Makefile.linux
deleted file mode 100644
index d7c29e2d..00000000
--- a/Makefile.linux
+++ /dev/null
@@ -1,289 +0,0 @@
-#
-# Makefile for Linux version of Dire Wolf.
-#
-
-all : direwolf decode_aprs text2tt tt2text ll2utm utm2ll aclients
-
-CC = gcc
-
-#
-# The DSP filters can be sped up considerably with the SSE
-# instructions. The SSE instructions were introduced in 1999
-# with the Pentium III series.
-# SSE2 instructions, added in 2000, don't seem to offer any advantage.
-#
-# Let's look at impact of various optimization levels.
-#
-# Benchmark results with Ubuntu gcc version 4.6.3, 32 bit platform.
-# Intel(R) Celeron(R) CPU 2.53GHz. Appears to have only 32 bit instructions.
-#
-# seconds options, comments
-# ------ -----------------
-# 123 -O2
-# 128 -O3 Slower than -O2 ?
-# 123 -Ofast (should be same as -O3 -ffastmath)
-# 126 -Ofast -march=pentium
-# 88 -Ofast -msse
-# 108 -Ofast -march=pentium -msse
-# 88 -Ofast -march=pentium3 (this implies -msse)
-# 89 -Ofast -march=pentium3 -msse
-#
-#
-# Raspberry Pi, ARM11 (ARMv6 + VFP2)
-# gcc (Debian 4.6.3-14+rpi1) 4.6.3
-#
-# seconds options, comments
-# ------ -----------------
-# 1015 -O2
-# 948 -O3
-# 928 -Ofast
-# 937 -Ofast -fmpu=vfp (worse, no option for vfp2)
-#
-# Are we getting any vectorizing?
-#
-
-
-
-#
-# Release 0.9 added a new feature than can consume a lot of CPU
-# power: multiple AFSK demodulators running in parallel.
-# These spend a lot of time spinning around in little loops
-# calculating the sums of products for the DSP filters.
-#
-# When gcc is generating code for a 32 bit x86 target, it
-# assumes the ancient i386 processor. This is good for
-# portability but bad for performance.
-#
-# The code can run considerably faster by taking advantage of
-# the SSE instructions available in the Pentium 3 or later.
-# Here we find out if the gcc compiler is generating code
-# for the i386. If so, we add the option to assume we will
-# have at least a Pentium 3 to run on.
-#
-# When generating code for the x86_64 target, it is automatically
-# assumed that the SSE instructions are available.
-#
-# If you are using gcc version 4.6 or later, you might get a
-# small improvement by using the new "-Ofast" option that is
-# not available in older compilers.
-# "-O3" is used here for compatibility with older compilers.
-#
-# You might also get some improvement by using "-march=native"
-# to fine tune the application for your particular type of
-# hardware.
-#
-# If you are planning to distribute the binary version to
-# other people (in some ham radio software collection), avoid
-# fine tuning it for your particular computer. It could
-# cause compatibility issues for those with older computers.
-#
-
-arch := $(shell echo | gcc -E -dM - | grep __i386__)
-
-ifneq ($(arch),)
-CFLAGS := -DUSE_ALSA -O3 -march=pentium3 -pthread
-else
-CFLAGS := -DUSE_ALSA -O3 -pthread
-endif
-
-
-# Uncomment following lines to enable GPS interface.
-# DO NOT USE THIS. Still needs more work.
-#CFLAGS += -DENABLE_GPS
-#LDLIBS += -lgps
-
-
-# Name of current directory.
-# Used to generate zip file name for distribution.
-
-z=$(notdir ${CURDIR})
-
-
-# Main application.
-
-direwolf : direwolf.o config.o demod.o dsp.o demod_afsk.o demod_9600.o hdlc_rec.o \
- hdlc_rec2.o multi_modem.o redecode.o rdq.o rrbb.o \
- fcs_calc.o ax25_pad.o \
- decode_aprs.o symbols.o server.o kiss.o kissnet.o kiss_frame.o hdlc_send.o fcs_calc.o \
- gen_tone.o audio.o digipeater.o dedupe.o tq.o xmit.o \
- ptt.o beacon.o dwgps.o encode_aprs.o latlong.o encode_aprs.o latlong.o textcolor.o \
- dtmf.o aprs_tt.o tt_user.o tt_text.o igate.o \
- utm.a
- $(CC) $(CFLAGS) -o $@ $^ -lpthread -lrt -lasound $(LDLIBS) -lm
-
-
-# Optimization for slow processors.
-
-demod.o : fsk_fast_filter.h
-
-demod_afsk.o : fsk_fast_filter.h
-
-
-fsk_fast_filter.h : demod_afsk.c
- $(CC) $(CFLAGS) -o gen_fff -DGEN_FFF demod_afsk.c dsp.c textcolor.c -lm
- ./gen_fff > fsk_fast_filter.h
-
-
-
-utm.a : LatLong-UTMconversion.o
- ar -cr $@ $^
-
-LatLong-UTMconversion.o : utm/LatLong-UTMconversion.c
- $(CC) $(CFLAGS) -c -o $@ $^
-
-
-# Optional install step.
-# TODO: Review file locations.
-# TODO: Handle Linux variations correctly.
-# The Raspberry Pi has ~/Desktop but Ubuntu does not.
-# For now, just put reference to it at the end so only last step fails.
-
-install : direwolf decode_aprs tocalls.txt symbols-new.txt symbolsX.txt dw-icon.png direwolf.desktop
- sudo install direwolf /usr/local/bin
- sudo install decode_aprs /usr/local/bin
- sudo install text2tt /usr/local/bin
- sudo install tt2text /usr/local/bin
- sudo install ll2utm /usr/local/bin
- sudo install utm2ll /usr/local/bin
- sudo install aclients /usr/local/bin
- sudo install -D --mode=644 tocalls.txt /usr/share/direwolf/tocalls.txt
- sudo install -D --mode=644 symbols-new.txt /usr/share/direwolf/symbols-new.txt
- sudo install -D --mode=644 symbolsX.txt /usr/share/direwolf/symbolsX.txt
- sudo install -D --mode=644 dw-icon.png /usr/share/direwolf/dw-icon.png
- sudo install -D --mode=644 direwolf.desktop /usr/share/applications/direwolf.desktop
- cp direwolf.conf ~
- cp dw-start.sh ~
- sudo install -D --mode=644 CHANGES.txt /usr/local/share/doc/direwolf/CHANGES.txt
- sudo install -D --mode=644 LICENSE-dire-wolf.txt /usr/local/share/doc/direwolf/LICENSE-dire-wolf.txt
- sudo install -D --mode=644 LICENSE-other.txt /usr/local/share/doc/direwolf/LICENSE-other.txt
- sudo install -D --mode=644 User-Guide.pdf /usr/local/share/doc/direwolf/User-Guide.pdf
- sudo install -D --mode=644 Raspberry-Pi-APRS.pdf /usr/local/share/doc/direwolf/Raspberry-Pi-APRS.pdf
- sudo install -D --mode=644 APRStt-Implementation-Notes.pdf /usr/local/share/doc/direwolf/APRStt-Implementation-Notes.pdf
- sudo install -D --mode=644 Quick-Start-Guide-Windows.pdf /usr/local/share/doc/direwolf/Quick-Start-Guide-Windows.pdf
- ln -f -s /usr/share/applications/direwolf.desktop ~/Desktop/direwolf.desktop
-
-
-# Separate application to decode raw data.
-
-decode_aprs : decode_aprs.c symbols.c ax25_pad.c textcolor.c fcs_calc.c
- $(CC) $(CFLAGS) -o decode_aprs -DTEST $^ -lm
-
-
-
-# Convert between text and touch tone representation.
-
-text2tt : tt_text.c
- $(CC) $(CFLAGS) -DENC_MAIN -o text2tt tt_text.c
-
-tt2text : tt_text.c
- $(CC) $(CFLAGS) -DDEC_MAIN -o tt2text tt_text.c
-
-
-# Convert between Latitude/Longitude and UTM coordinates.
-
-ll2utm : ll2utm.c utm.a
- $(CC) $(CFLAGS) -I utm -o $@ $^ -lm
-
-utm2ll : utm2ll.c utm.a
- $(CC) $(CFLAGS) -I utm -o $@ $^ -lm
-
-
-
-# Test application to generate sound.
-
-gen_packets : gen_packets.c ax25_pad.c hdlc_send.c fcs_calc.c gen_tone.c textcolor.c
- $(CC) $(CFLAGS) -o $@ $^ -lasound -lm
-
-demod.o : tune.h
-demod_afsk.o : tune.h
-demod_9600.o : tune.h
-
-testagc : atest.c demod.c dsp.c demod_afsk.c demod_9600.c hdlc_rec.c hdlc_rec2.o multi_modem.o rrbb.o fcs_calc.c ax25_pad.c decode_aprs.c symbols.c tune.h textcolor.c
- $(CC) $(CFLAGS) -o atest $^ -lm
- ./atest 02_Track_2.wav | grep "packets decoded in" > atest.out
-
-
-# Unit test for AFSK demodulator
-
-
-atest : atest.c demod.c dsp.c demod_afsk.c demod_9600.c hdlc_rec.c hdlc_rec2.o multi_modem.o rrbb.o fcs_calc.c ax25_pad.c decode_aprs.c symbols.c textcolor.c
- $(CC) $(CFLAGS) -o $@ $^ -lm
- time ./atest ../direwolf-0.2/02_Track_2.wav
-
-# Unit test for inner digipeater algorithm
-
-
-dtest : digipeater.c ax25_pad.c dedupe.c fcs_calc.c tq.c textcolor.c
- $(CC) $(CFLAGS) -DTEST -o $@ $^
- ./dtest
-
-
-# Unit test for IGate
-
-
-itest : igate.c textcolor.c ax25_pad.c fcs_calc.c
- $(CC) $(CFLAGS) -DITEST -o $@ $^
- ./itest
-
-
-# Unit test for UDP reception with AFSK demodulator
-
-udptest : udp_test.c demod.c dsp.c demod_afsk.c demod_9600.c hdlc_rec.c hdlc_rec2.c multi_modem.c rrbb.c fcs_calc.c ax25_pad.c decode_aprs.c symbols.c textcolor.c
- $(CC) $(CFLAGS) -o $@ $^ -lm -lrt
- ./udptest
-
-
-# Multiple AGWPE network or serial port clients to test TNCs side by side.
-
-aclients : aclients.c ax25_pad.c fcs_calc.c textcolor.c
- $(CC) $(CFLAGS) -g -o $@ $^
-
-
-SRCS = direwolf.c demod.c dsp.c demod_afsk.c demod_9600.c hdlc_rec.c multi_modem.c fcs_calc.c ax25_pad.c decode_aprs.c symbols.c \
- server.c kiss.c kissnet.c kiss_frame.c hdlc_send.c fcs_calc.c gen_tone.c audio.c \
- digipeater.c dedupe.c tq.c xmit.c beacon.c encode_aprs.c latlong.c encode_aprs.c latlong.c
-
-
-depend : $(SRCS)
- makedepend $(INCLUDES) $^
-
-
-clean :
- rm -f direwolf decode_aprs text2tt tt2text ll2utm utm2ll fsk_fast_filter.h *.o *.a
- echo " " > tune.h
-
-
-# Package it up for distribution.
-
-dist-src : CHANGES.txt User-Guide.pdf Quick-Start-Guide-Windows.pdf Raspberry-Pi-APRS.pdf \
- direwolf.desktop dw-start.sh
- rm -f fsk_fast_filter.h
- echo " " > tune.h
- rm -f ../$z-src.zip
- (cd .. ; zip $z-src.zip $z/CHANGES.txt $z/LICENSE* \
- $z/User-Guide.pdf $z/Quick-Start-Guide-Windows.pdf $z/Raspberry-Pi-APRS.pdf \
- $z/Makefile* $z/*.c $z/*.h $z/regex/* $z/misc/* $z/utm/* \
- $z/*.conf $z/tocalls.txt $z/symbols-new.txt $z/symbolsX.txt \
- $z/dw-icon.png $z/dw-icon.rc $z/dw-icon.ico \
- $z/direwolf.desktop $z/dw-start.sh )
-
-
-#User-Guide.pdf : User-Guide.docx
-# echo "***** User-Guide.pdf is out of date *****"
-
-#Quick-Start-Guide-Windows.pdf : Quick-Start-Guide-Windows.docx
-# echo "***** Quick-Start-Guide-Windows.pdf is out of date *****"
-
-#Raspberry-Pi-APRS.pdf : Raspberry-Pi-APRS.docx
-# echo "***** Raspberry-Pi-APRS.pdf is out of date *****"
-
-
-backup :
- mkdir /cygdrive/e/backup-cygwin-home/`date +"%Y-%m-%d"`
- cp -r . /cygdrive/e/backup-cygwin-home/`date +"%Y-%m-%d"`
-
-#
-# The following is updated by "make depend"
-#
-# DO NOT DELETE
-
diff --git a/Makefile.win b/Makefile.win
deleted file mode 100644
index 043a38a6..00000000
--- a/Makefile.win
+++ /dev/null
@@ -1,326 +0,0 @@
-#
-# Makefile for native Windows version of Dire Wolf.
-#
-#
-# This is built in the Cygwin environment but with the
-# compiler from http://www.mingw.org/ so there is no
-# dependency on extra DLLs.
-#
-# The MinGW/bin directory must be in the PATH for the
-# compiler. e.g. export PATH=/cygdrive/c/MinGW/bin:$PATH
-#
-# Failure to have the path set correctly will result in the
-# obscure message: Makefile.win:... recipe for target ... failed.
-#
-# Type "which gcc" to make sure you are getting the right one!
-#
-
-
-all : direwolf decode_aprs text2tt tt2text ll2utm utm2ll aclients
-
-
-# People say we need -mthreads option for threads to work properly.
-# They also say it creates a dependency on mingwm10.dll but I'm not seeing that.
-
-#TODO: put -Ofast back in.
-
-CC = gcc
-#CFLAGS = -g -Wall -Ofast -march=pentium3 -msse -Iregex -mthreads -DUSE_REGEX_STATIC
-CFLAGS = -g -Wall -march=pentium3 -msse -Iregex -mthreads -DUSE_REGEX_STATIC
-AR = ar
-
-
-#
-# Let's see impact of various optimization levels.
-# Benchmark results with MinGW gcc version 4.6.2.
-#
-# seconds options, comments
-# ------ -----------------
-# 119.8 -O2 Used for version 0.8
-# 92.1 -O3
-# 88.7 -Ofast (should be same as -O3 -ffastmath)
-# 87.5 -Ofast -march=pentium
-# 74.1 -Ofast -msse
-# 72.2 -Ofast -march=pentium -msse
-# 62.0 -Ofast -march=pentium3 (this implies -msse)
-# 61.9 -Ofast -march=pentium3 -msse
-#
-# A minimum of Windows XP is required due to some of the system
-# features being used. XP requires a Pentium processor or later.
-# The DSP filters can be sped up considerably with the SSE instructions.
-# The SSE instructions were introduced in 1999 with the
-# Pentium III series.
-# SSE2 instructions, added in 2000, don't seem to offer any advantage.
-#
-# For version 0.9, a Pentium 3 or equivalent is now the minimum required
-# for the prebuilt Windows distribution.
-# If you insist on using a computer from the previous century,
-# you can compile this yourself with different options.
-#
-
-# Name of zip file for distribution.
-
-z=$(notdir ${CURDIR})
-
-
-
-# Main application.
-
-demod.o : fsk_demod_state.h
-demod_9600.o : fsk_demod_state.h
-demod_afsk.o : fsk_demod_state.h
-
-
-direwolf : direwolf.o config.o demod.o dsp.o demod_afsk.o demod_9600.o hdlc_rec.o \
- hdlc_rec2.o multi_modem.o redecode.o rdq.o rrbb.o \
- fcs_calc.o ax25_pad.o \
- decode_aprs.o symbols.o server.o kiss.o kissnet.o kiss_frame.o hdlc_send.o fcs_calc.o \
- gen_tone.o audio_win.o digipeater.o dedupe.o tq.o xmit.o \
- ptt.o beacon.o dwgps.o encode_aprs.o latlong.o textcolor.o \
- dtmf.o aprs_tt.o tt_user.o tt_text.o igate.o \
- dw-icon.o regex.a misc.a utm.a
- $(CC) $(CFLAGS) -g -o $@ $^ -lwinmm -lws2_32
-
-dw-icon.o : dw-icon.rc dw-icon.ico
- windres dw-icon.rc -o $@
-
-
-# Optimization for slow processors.
-
-demod.o : fsk_fast_filter.h
-
-demod_afsk.o : fsk_fast_filter.h
-
-
-fsk_fast_filter.h : demod_afsk.c
- $(CC) $(CFLAGS) -o gen_fff -DGEN_FFF demod_afsk.c dsp.c textcolor.c
- ./gen_fff > fsk_fast_filter.h
-
-
-utm.a : LatLong-UTMconversion.o
- ar -cr $@ $^
-
-LatLong-UTMconversion.o : utm/LatLong-UTMconversion.c
- $(CC) $(CFLAGS) -c -o $@ $^
-
-
-#
-# When building for Linux, we use regular expression
-# functions supplied by the gnu C library.
-# For the native WIN32 version, we need to use our own copy.
-# These were copied from http://gnuwin32.sourceforge.net/packages/regex.htm
-#
-
-regex.a : regex.o
- ar -cr $@ $^
-
-regex.o : regex/regex.c
- $(CC) $(CFLAGS) -Dbool=int -Dtrue=1 -Dfalse=0 -c -o $@ $^
-
-
-# There are also a couple other functions in the misc
-# subdirectory that are missing on Windows.
-
-misc.a : strsep.o strtok_r.o strcasestr.o
- ar -cr $@ $^
-
-strsep.o : misc/strsep.c
- $(CC) $(CFLAGS) -c -o $@ $^
-
-strtok_r.o : misc/strtok_r.c
- $(CC) $(CFLAGS) -c -o $@ $^
-
-strcasestr.o : misc/strcasestr.c
- $(CC) $(CFLAGS) -c -o $@ $^
-
-
-
-# Separate application to decode raw data.
-
-decode_aprs : decode_aprs.c symbols.c ax25_pad.c textcolor.c fcs_calc.c regex.a misc.a
- $(CC) $(CFLAGS) -o decode_aprs -DTEST $^
-
-
-# Convert between text and touch tone representation.
-
-text2tt : tt_text.c
- $(CC) $(CFLAGS) -DENC_MAIN -o text2tt tt_text.c
-
-tt2text : tt_text.c
- $(CC) $(CFLAGS) -DDEC_MAIN -o tt2text tt_text.c
-
-
-# Convert between Latitude/Longitude and UTM coordinates.
-
-ll2utm : ll2utm.c utm.a
- $(CC) $(CFLAGS) -I utm -o $@ $^
-
-utm2ll : utm2ll.c utm.a
- $(CC) $(CFLAGS) -I utm -o $@ $^
-
-
-# Test application to generate sound.
-
-gen_packets : gen_packets.o ax25_pad.o hdlc_send.o fcs_calc.o gen_tone.o textcolor.o misc.a regex.a
- $(CC) $(CFLAGS) -o $@ $^
-
-# For tweaking the demodulator.
-
-demod.o : tune.h
-demod_9600.o : tune.h
-demod_afsk.o : tune.h
-
-
-testagc : atest.c demod.c dsp.c demod_afsk.c demod_9600.c hdlc_rec.c hdlc_rec2.c multi_modem.c \
- rrbb.c fcs_calc.c ax25_pad.c decode_aprs.c symbols.c textcolor.c regex.a misc.a \
- fsk_demod_agc.h
- rm -f atest.exe
- $(CC) $(CFLAGS) -DNOFIX -o atest $^
- ./atest ../direwolf-0.2/02_Track_2.wav | grep "packets decoded in" >atest.out
-
-
-noisy3.wav : gen_packets
- ./gen_packets -B 300 -n 100 -o noisy3.wav
-
-testagc3 : atest.c demod.c dsp.c demod_afsk.c demod_9600.c hdlc_rec.c hdlc_rec2.c multi_modem.c \
- rrbb.c fcs_calc.c ax25_pad.c decode_aprs.c symbols.c textcolor.c regex.a misc.a \
- tune.h
- rm -f atest.exe
- $(CC) $(CFLAGS) -o atest $^
- ./atest -B 300 -P D -D 3 noisy3.wav | grep "packets decoded in" >atest.out
-
-
-noisy96.wav : gen_packets
- ./gen_packets -B 9600 -n 100 -o noisy96.wav
-
-testagc9 : atest.c demod.c dsp.c demod_afsk.c demod_9600.c hdlc_rec.c hdlc_rec2.c multi_modem.c \
- rrbb.c fcs_calc.c ax25_pad.c decode_aprs.c symbols.c textcolor.c regex.a misc.a \
- tune.h
- rm -f atest.exe
- $(CC) $(CFLAGS) -o atest $^
- ./atest -B 9600 ../walkabout9600.wav | grep "packets decoded in" >atest.out
- #./atest -B 9600 noisy96.wav | grep "packets decoded in" >atest.out
-
-
-# Unit test for AFSK demodulator
-
-
-atest : atest.c demod.c dsp.c demod_afsk.c demod_9600.c hdlc_rec.c hdlc_rec2.c multi_modem.c \
- rrbb.c fcs_calc.c ax25_pad.c decode_aprs.c symbols.c textcolor.c misc.a regex.a \
- fsk_fast_filter.h
- $(CC) $(CFLAGS) -o $@ $^
- echo " " > tune.h
- ./atest ..\\direwolf-0.2\\02_Track_2.wav
-
-atest9 : atest.c demod.c dsp.c demod_afsk.c demod_9600.c hdlc_rec.c hdlc_rec2.c multi_modem.c \
- rrbb.c fcs_calc.c ax25_pad.c decode_aprs.c symbols.c textcolor.c misc.a regex.a \
- fsk_fast_filter.h
- $(CC) $(CFLAGS) -o $@ $^
- ./atest9 -B 9600 ../walkabout9600.wav | grep "packets decoded in" >atest.out
- #./atest9 -B 9600 noise96.wav
-
-
-# Unit test for inner digipeater algorithm
-
-
-dtest : digipeater.c ax25_pad.c dedupe.c fcs_calc.c tq.c textcolor.c misc.a regex.a
- $(CC) $(CFLAGS) -DTEST -o $@ $^
- ./dtest
- rm dtest.exe
-
-# Unit test for APRStt.
-
-ttest : aprs_tt.c tt_text.c misc.a utm.a
- $(CC) $(CFLAGS) -DTT_MAIN -o ttest aprs_tt.c tt_text.c misc.a utm.a
-
-
-# Unit test for IGate
-
-itest : igate.c textcolor.c ax25_pad.c fcs_calc.c misc.a regex.a
- $(CC) $(CFLAGS) -DITEST -g -o $@ $^ -lwinmm -lws2_32
-
-
-# Unit test for UDP reception with AFSK demodulator
-
-udptest : udp_test.c demod.c dsp.c demod_afsk.c demod_9600.c hdlc_rec.c hdlc_rec2.c multi_modem.c rrbb.c fcs_calc.c ax25_pad.c decode_aprs.c symbols.c textcolor.c
- $(CC) $(CFLAGS) -o $@ $^ -lm -lrt
- ./udptest
-
-
-# Multiple AGWPE network or serial port clients to test TNCs side by side.
-
-aclients : aclients.c ax25_pad.c fcs_calc.c textcolor.c misc.a regex.a
- $(CC) $(CFLAGS) -g -o $@ $^ -lwinmm -lws2_32
-
-
-SRCS = direwolf.c demod.c dsp.c demod_afsk.c demod_9600.c hdlc_rec.c \
- hdlc_rec2.c multi_modem.c redecode.c rdq.c rrbb.c \
- fcs_calc.c ax25_pad.c decode_aprs.c symbols.c \
- server.c kiss.c kissnet.c kiss_frame.c hdlc_send.c fcs_calc.c gen_tone.c audio_win.c \
- digipeater.c dedupe.c tq.c xmit.c beacon.c \
- encode_aprs.c latlong.c \
- dtmf.c aprs_tt.c tt_text.c igate.c
-
-
-depend : $(SRCS)
- makedepend $(INCLUDES) $^
-
-
-clean :
- rm -f *.o *.a *.exe fsk_fast_filter.h noisy96.wav
- echo " " > tune.h
-
-
-# Package it up for distribution: Prebuilt Windows & source versions.
-
-
-dist-win : direwolf.exe decode_aprs.exe CHANGES.txt User-Guide.pdf Quick-Start-Guide-Windows.pdf \
- Raspberry-Pi-APRS.pdf APRStt-Implementation-Notes.pdf
- rm -f ../$z-win.zip
- zip ../$z-win.zip CHANGES.txt User-Guide.pdf Quick-Start-Guide-Windows.pdf \
- Raspberry-Pi-APRS.pdf APRStt-Implementation-Notes.pdf LICENSE* *.conf \
- direwolf.exe decode_aprs.exe tocalls.txt symbols-new.txt symbolsX.txt \
- text2tt.exe tt2text.exe ll2utm.exe utm2ll.exe aclients.exe
-
-dist-src : CHANGES.txt User-Guide.pdf Quick-Start-Guide-Windows.pdf Raspberry-Pi-APRS.pdf \
- APRStt-Implementation-Notes.pdf \
- direwolf.desktop dw-start.sh \
- tocalls.txt symbols-new.txt symbolsX.txt
- rm -f fsk_fast_filter.h
- echo " " > tune.h
- rm -f ../$z-src.zip
- (cd .. ; zip $z-src.zip \
- $z/CHANGES.txt $z/LICENSE* \
- $z/User-Guide.pdf $z/Quick-Start-Guide-Windows.pdf \
- $z/Raspberry-Pi-APRS.pdf $z/APRStt-Implementation-Notes.pdf \
- $z/Makefile* $z/*.c $z/*.h $z/regex/* $z/misc/* $z/utm/* \
- $z/*.conf $z/tocalls.txt $z/symbols-new.txt $z/symbolsX.txt \
- $z/dw-icon.png $z/dw-icon.rc $z/dw-icon.ico \
- $z/direwolf.desktop $z/dw-start.sh )
-
-
-
-User-Guide.pdf : User-Guide.docx
- echo "***** User-Guide.pdf is out of date *****"
-
-Quick-Start-Guide-Windows.pdf : Quick-Start-Guide-Windows.docx
- echo "***** Quick-Start-Guide-Windows.pdf is out of date *****"
-
-Raspberry-Pi-APRS.pdf : Raspberry-Pi-APRS.docx
- echo "***** Raspberry-Pi-APRS.pdf is out of date *****"
-
-APRStt-Implementation-Notes.pdf : APRStt-Implementation-Notes.docx
- echo "***** APRStt-Implementation-Notes.pdf is out of date *****"
-
-
-backup :
- mkdir /cygdrive/e/backup-cygwin-home/`date +"%Y-%m-%d"`
- cp -r . /cygdrive/e/backup-cygwin-home/`date +"%Y-%m-%d"`
-
-#
-# The following is updated by "make depend"
-#
-# DO NOT DELETE
-
-
-
diff --git a/Quick-Start-Guide-Windows.pdf b/Quick-Start-Guide-Windows.pdf
deleted file mode 100644
index 6d155f0e..00000000
Binary files a/Quick-Start-Guide-Windows.pdf and /dev/null differ
diff --git a/README.md b/README.md
new file mode 100644
index 00000000..3006a1ef
--- /dev/null
+++ b/README.md
@@ -0,0 +1,235 @@
+
+# Dire Wolf #
+
+### Decoded Information from Radio Emissions for Windows Or Linux Fans ###
+
+In the early days of Amateur Packet Radio, it was necessary to use an expensive "Terminal Node Controller" (TNC) with specialized hardware. Those days are gone. You can now get better results at lower cost by connecting your radio to the "soundcard" interface of a computer and using software to decode the signals.
+
+Why waste $200 and settle for mediocre receive performance from a 1980's technology TNC using an old modem chip? Dire Wolf decodes over 1000 error-free frames from Track 2 of the [WA8LMF TNC Test CD](https://github.com/wb2osz/direwolf/tree/dev/doc/WA8LMF-TNC-Test-CD-Results.pdf), leaving all the hardware TNCs, and first generation "soundcard" modems, behind in the dust.
+
+
+
+Dire Wolf includes [FX.25](https://en.wikipedia.org/wiki/FX.25_Forward_Error_Correction) which adds Forward Error Correction (FEC) in a way that is completely compatible with existing systems. If both ends are capable of FX.25, your information will continue to get through under conditions where regular AX.25 is completely useless. This was originally developed for satellites and is now seeing widespread use on HF.
+
+
+
+Version 1.7 adds [IL2P](https://en.wikipedia.org/wiki/Improved_Layer_2_Protocol), a different method of FEC with less overhead but it is not compatible with AX.25.
+
+
+
+### Dire Wolf is a modern software replacement for the old 1980's style TNC built with special hardware. ###
+
+Without any additional software, it can perform as:
+
+ - APRS GPS Tracker
+ - Digipeater
+ - Internet Gateway (IGate)
+- [APRStt](http://www.aprs.org/aprstt.html) gateway
+
+
+It can also be used as a virtual TNC for other applications such as [APRSIS32](http://aprsisce.wikidot.com/), [Xastir](http://xastir.org/index.php/Main_Page), [APRS-TW](http://aprstw.blandranch.net/), [YAAC](http://www.ka2ddo.org/ka2ddo/YAAC.html), [PinPoint APRS](http://www.pinpointaprs.com/), [UI-View32](http://www.ui-view.net/),[UISS](http://users.belgacom.net/hamradio/uiss.htm), [Linux AX25](http://www.linux-ax25.org/wiki/Main_Page), [SARTrack](http://www.sartrack.co.nz/index.html), [Winlink Express (formerly known as RMS Express, formerly known as Winlink 2000 or WL2K)](http://www.winlink.org/RMSExpress), [BPQ32](http://www.cantab.net/users/john.wiseman/Documents/BPQ32.html), [Outpost PM](http://www.outpostpm.org/), [Ham Radio of Things](https://github.com/wb2osz/hrot), [Packet Compressed Sensing Imaging (PCSI)](https://maqifrnswa.github.io/PCSI/), and many others.
+
+
+## Features & Benefits ##
+
+
+
+### Dire Wolf includes: ###
+
+
+
+- **Beaconing, Tracker, Telemetry Toolkit.**
+
+ Send periodic beacons to provide information to others. For tracking the location is provided by a GPS receiver.
+ Build your own telemetry applications with the toolkit.
+
+
+- **APRStt Gateway.**
+
+ Very few hams have portable equipment for APRS but nearly everyone has a handheld radio that can send DTMF tones. APRStt allows a user, equipped with only DTMF (commonly known as Touch Tone) generation capability, to enter information into the global APRS data network. Responses can be sent by Morse Code or synthesized speech.
+
+- **Digipeaters for APRS and traditional Packet Radio.**
+
+ Extend the range of other stations by re-transmitting their signals. Unmatched flexibility for cross band repeating and filtering to limit what is retransmitted.
+
+- **Internet Gateway (IGate).**
+
+ IGate stations allow communication between disjoint radio networks by allowing some content to flow between them over the Internet.
+
+- **Ham Radio of Things (HRoT).**
+
+ There have been occasional mentions of merging Ham Radio with the Internet of Things but only ad hoc incompatible narrowly focused applications. Here is a proposal for a standardized more flexible method so different systems can communicate with each other.
+
+ [Ham Radio of Things - IoT over Ham Radio](https://github.com/wb2osz/hrot)
+
+- **AX.25 v2.2 Link Layer.**
+
+ Traditional connected mode packet radio where the TNC automatically retries transmissions and delivers data in the right order.
+
+- **KISS Interface (TCP/IP, serial port, Bluetooth) & AGW network Interface (TCP/IP).**
+
+ Dire Wolf can be used as a virtual TNC for applications such as [APRSIS32](http://aprsisce.wikidot.com/), [Xastir](http://xastir.org/index.php/Main_Page), [APRS-TW](http://aprstw.blandranch.net/), [YAAC](http://www.ka2ddo.org/ka2ddo/YAAC.html), [PinPoint APRS](http://www.pinpointaprs.com/), [UI-View32](http://www.ui-view.net/),[UISS](http://users.belgacom.net/hamradio/uiss.htm), [Linux AX25](http://www.linux-ax25.org/wiki/Main_Page), [SARTrack](http://www.sartrack.co.nz/index.html), [Winlink Express (formerly known as RMS Express, formerly known as Winlink 2000 or WL2K)](http://www.winlink.org/RMSExpress), [BPQ32](http://www.cantab.net/users/john.wiseman/Documents/BPQ32.html), [Outpost PM](http://www.outpostpm.org/), [Ham Radio of Things](https://github.com/wb2osz/hrot), [Packet Compressed Sensing Imaging (PCSI)](https://maqifrnswa.github.io/PCSI/), and many others.
+
+### Radio Interfaces: ###
+
+- **Uses computer's "soundcard" and digital signal processing.**
+
+ Lower cost and better performance than specialized hardware.
+
+ Compatible interfaces include [DRAWS](http://nwdigitalradio.com/draws/), [UDRC](https://nw-digital-radio.groups.io/g/udrc/wiki/UDRC%E2%84%A2-and-Direwolf-Packet-Modem), [SignaLink USB](http://www.tigertronics.com/slusbmain.htm), [DMK URI](http://www.dmkeng.com/URI_Order_Page.htm), [RB-USB RIM](http://www.repeater-builder.com/products/usb-rim-lite.html), [RA-35](http://www.masterscommunications.com/products/radio-adapter/ra35.html), [DINAH](https://hamprojects.info/dinah/), [SHARI](https://hamprojects.info/shari/), and many others.
+
+
+
+- **Modems:**
+
+ 300 bps AFSK for HF
+
+ 1200 bps AFSK most common for VHF/UHF
+
+ 2400 & 4800 bps PSK
+
+ 9600 bps GMSK/G3RUH
+
+ AIS reception
+
+ EAS SAME reception
+
+
+
+- **DTMF ("Touch Tone") Decoding and Encoding.**
+
+- **Speech Synthesizer interface & Morse code generator.**
+
+ Transmit human understandable messages.
+
+- **Compatible with Software Defined Radios such as gqrx, rtl_fm, and SDR#.**
+
+- **Concurrent operation with up to 3 soundcards and 6 radios.**
+
+### Portable & Open Source: ###
+
+- **Runs on Windows, Linux (PC/laptop, Raspberry Pi, etc.), Mac OSX.**
+
+
+
+## Documentation ##
+
+
+[Stable Version](https://github.com/wb2osz/direwolf/tree/master/doc)
+
+[Latest Development Version ("dev" branch)](https://github.com/wb2osz/direwolf/tree/dev/doc)
+
+[Additional Topics](https://github.com/wb2osz/direwolf-doc)
+
+[Power Point presentations](https://github.com/wb2osz/direwolf-presentation) -- Why not give a talk at a local club meeting?
+
+Youtube has many interesting and helpful videos. Searching for [direwolf tnc](https://www.youtube.com/results?search_query=direwolf+tnc) or [direwolf aprs](https://www.youtube.com/results?search_query=direwolf+aprs) will produce the most relevant results.
+
+## Installation ##
+
+### Windows ###
+
+Go to the [**releases** page](https://github.com/wb2osz/direwolf/releases). Download a zip file with "win" in its name, unzip it, and run direwolf.exe from a command window.
+
+You can also build it yourself from source. For more details see the **User Guide** in the [**doc** directory](https://github.com/wb2osz/direwolf/tree/master/doc).
+
+
+
+
+### Linux - Using git clone (recommended) ###
+
+***Note that this has changed for version 1.6. There are now a couple extra steps.***
+
+
+First you will need to install some software development packages using different commands depending on your flavor of Linux.
+In most cases, the first few will already be there and the package installer will tell you that installation is not necessary.
+
+On Debian / Ubuntu / Raspbian / Raspberry Pi OS:
+
+ sudo apt-get install git
+ sudo apt-get install gcc
+ sudo apt-get install g++
+ sudo apt-get install make
+ sudo apt-get install cmake
+ sudo apt-get install libasound2-dev
+ sudo apt-get install libudev-dev
+ sudo apt-get install libavahi-client-dev
+
+Or on Red Hat / Fedora / CentOS:
+
+ sudo yum install git
+ sudo yum install gcc
+ sudo yum install gcc-c++
+ sudo yum install make
+ sudo yum install alsa-lib-devel
+ sudo yum install libudev-devel
+ sudo yum install avahi-devel
+
+CentOS 6 & 7 currently have cmake 2.8 but we need 3.1 or later.
+First you need to enable the EPEL repository. Add a symlink if you don't already have the older version and want to type cmake rather than cmake3.
+
+ sudo yum install epel-release
+ sudo rpm -e cmake
+ sudo yum install cmake3
+ sudo ln -s /usr/bin/cmake3 /usr/bin/cmake
+
+Then on any flavor of Linux:
+
+ cd ~
+ git clone https://www.github.com/wb2osz/direwolf
+ cd direwolf
+ git checkout dev
+ mkdir build && cd build
+ cmake ..
+ make -j4
+ sudo make install
+ make install-conf
+
+This gives you the latest development version. Leave out the "git checkout dev" to get the most recent stable release.
+
+For more details see the **User Guide** in the [**doc** directory](https://github.com/wb2osz/direwolf/tree/master/doc). Special considerations for the Raspberry Pi are found in **Raspberry-Pi-APRS.pdf**
+
+
+### Linux - Using apt-get (Debian flavor operating systems) ###
+
+Results will vary depending on your hardware platform and operating system version because it depends on various volunteers who perform the packaging. Expect the version to lag significantly behind development.
+
+ sudo apt-get update
+ apt-cache showpkg direwolf
+ sudo apt-get install direwolf
+
+
+### Linux - Using yum (Red Hat flavor operating systems) ###
+
+Results will vary depending on your hardware platform and operating system version because it depends on various volunteers who perform the packaging. Expect the version to lag significantly behind development.
+
+ sudo yum check-update
+ sudo yum list direwolf
+ sudo yum install direwolf
+
+
+### Macintosh OS X ###
+
+Read the **User Guide** in the [**doc** directory](https://github.com/wb2osz/direwolf/tree/master/doc). It is more complicated than Linux.
+
+If you have problems, post them to the [Dire Wolf packet TNC](https://groups.io/g/direwolf) discussion group.
+
+You can also install a pre-built version from Mac Ports. Keeping this up to date depends on volunteers who perform the packaging. This version could lag behind development.
+
+ sudo port install direwolf
+
+
+## Join the conversation ##
+
+Here are some good places to ask questions and share your experience:
+
+- [Dire Wolf Software TNC](https://groups.io/g/direwolf)
+
+- [Raspberry Pi 4 Ham Radio](https://groups.io/g/RaspberryPi-4-HamRadio)
+
+- [linuxham](https://groups.io/g/linuxham)
+
+- [TAPR aprssig](http://www.tapr.org/pipermail/aprssig/)
+
+
+The github "issues" section is for reporting software defects and enhancement requests. It is NOT a place to ask questions or have general discussions. Please use one of the locations above.
diff --git a/Raspberry-Pi-APRS.pdf b/Raspberry-Pi-APRS.pdf
deleted file mode 100644
index ef01cce6..00000000
Binary files a/Raspberry-Pi-APRS.pdf and /dev/null differ
diff --git a/User-Guide.pdf b/User-Guide.pdf
deleted file mode 100644
index ff3b46f6..00000000
Binary files a/User-Guide.pdf and /dev/null differ
diff --git a/aprs_tt.c b/aprs_tt.c
deleted file mode 100644
index c68b2ebb..00000000
--- a/aprs_tt.c
+++ /dev/null
@@ -1,1436 +0,0 @@
-//
-// This file is part of Dire Wolf, an amateur radio packet TNC.
-//
-// Copyright (C) 2013,2014 John Langner, WB2OSZ
-//
-// This program is free software: you can redistribute it and/or modify
-// it under the terms of the GNU General Public License as published by
-// the Free Software Foundation, either version 2 of the License, or
-// (at your option) any later version.
-//
-// This program is distributed in the hope that it will be useful,
-// but WITHOUT ANY WARRANTY; without even the implied warranty of
-// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
-// GNU General Public License for more details.
-//
-// You should have received a copy of the GNU General Public License
-// along with this program. If not, see .
-//
-
-/*------------------------------------------------------------------
- *
- * Module: aprs_tt.c
- *
- * Purpose: APRStt gateway.
- *
- * Description: Transfer touch tone messages into the APRS network.
- *
- * References: This is based upon APRStt (TM) documents with some
- * artistic freedom.
- *
- * http://www.aprs.org/aprstt.html
- *
- *---------------------------------------------------------------*/
-
-// TODO: clean up terminolgy.
-// "Message" has a specific meaning in APRS and this is not it.
-// Touch Tone sequence might be appropriate.
-// What do we call the parts separated by * key? Entry? Field?
-
-
-#include
-#include
-#include
-#include
-#include
-
-
-#include
-#include
-
-#include "direwolf.h"
-#include "ax25_pad.h"
-#include "hdlc_rec2.h" /* for process_rec_frame */
-#include "textcolor.h"
-#include "aprs_tt.h"
-#include "tt_text.h"
-#include "tt_user.h"
-#include "symbols.h"
-#include "latlong.h"
-
-
-#if __WIN32__
-char *strtok_r(char *str, const char *delim, char **saveptr);
-#endif
-
-#include "utm/LatLong-UTMconversion.h"
-
-
-//TODO: #include "tt_user.h"
-
-
-
-/*
- * Touch Tone sequences are accumulated here until # terminator found.
- * Kept separate for each audio channel.
- */
-
-#define MAX_MSG_LEN 100
-
-static char msg_str[MAX_CHANS][MAX_MSG_LEN+1];
-static int msg_len[MAX_CHANS];
-
-static void aprs_tt_message (int chan, char *msg);
-static int parse_fields (char *msg);
-static int parse_callsign (char *e);
-static int parse_object_name (char *e);
-static int parse_symbol (char *e);
-static int parse_location (char *e);
-static int parse_comment (char *e);
-static int expand_macro (char *e);
-static void raw_tt_data_to_app (int chan, char *msg);
-static int find_ttloc_match (char *e, char *xstr, char *ystr, char *zstr, char *bstr, char *dstr);
-
-
-
-
-/*------------------------------------------------------------------
- *
- * Name: aprs_tt_init
- *
- * Purpose: Initialize the APRStt gateway at system startup time.
- *
- * Inputs: Configuration options gathered by config.c.
- *
- * Global out: Make our own local copy of the structure here.
- *
- * Returns: None
- *
- * Description: The main program needs to call this at application
- * start up time after reading the configuration file.
- *
- * TT_MAIN is defined for unit testing.
- *
- *----------------------------------------------------------------*/
-
-static struct tt_config_s tt_config;
-
-#if TT_MAIN
-#define NUM_TEST_CONFIG (sizeof(test_config) / sizeof (struct ttloc_s))
-static struct ttloc_s test_config[] = {
-
- { TTLOC_POINT, "B01", .point.lat = 12.25, .point.lon = 56.25 },
- { TTLOC_POINT, "B988", .point.lat = 12.50, .point.lon = 56.50 },
-
- { TTLOC_VECTOR, "B5bbbdddd", .vector.lat = 53., .vector.lon = -1., .vector.scale = 1000. }, /* km units */
-
- /* Hilltop Tower http://www.aprs.org/aprs-jamboree-2013.html */
- { TTLOC_VECTOR, "B5bbbddd", .vector.lat = 37+55.37/60., .vector.lon = -(81+7.86/60.), .vector.scale = 16.09344 }, /* .01 mile units */
-
- { TTLOC_GRID, "B2xxyy", .grid.lat0 = 12.00, .grid.lon0 = 56.00,
- .grid.lat9 = 12.99, .grid.lon9 = 56.99 },
- { TTLOC_GRID, "Byyyxxx", .grid.lat0 = 37 + 50./60.0, .grid.lon0 = 81,
- .grid.lat9 = 37 + 59.99/60.0, .grid.lon9 = 81 + 9.99/60.0 },
-
- { TTLOC_MACRO, "xxyyy", .macro.definition = "B9xx*AB166*AA2B4C5B3B0Ayyy" },
-};
-#endif
-
-
-void aprs_tt_init (struct tt_config_s *p)
-{
- int c;
-
-#if TT_MAIN
- /* For unit testing. */
-
- memset (&tt_config, 0, sizeof(struct tt_config_s));
- tt_config.ttloc_size = NUM_TEST_CONFIG;
- tt_config.ttloc_ptr = test_config;
- tt_config.ttloc_len = NUM_TEST_CONFIG;
-
- /* Don't care about xmit timing or corral here. */
-#else
- memcpy (&tt_config, p, sizeof(struct tt_config_s));
-#endif
- for (c=0; c= 0 && chan < MAX_CHANS);
-
-
-// TODO: Might make more sense to put timeout here rather in the dtmf decoder.
-
- if (button == '$') {
-
-/* Timeout reset. */
-
- msg_len[chan] = 0;
- msg_str[chan][0] = '\0';
- }
- else if (button != '.' && button != ' ') {
- if (msg_len[chan] < MAX_MSG_LEN) {
- msg_str[chan][msg_len[chan]++] = button;
- msg_str[chan][msg_len[chan]] = '\0';
- }
- if (button == '#') {
-
-/* Process complete message. */
-
- aprs_tt_message (chan, msg_str[chan]);
- msg_len[chan] = 0;
- msg_str[chan][0] = '\0';
- }
- }
- else {
-
-/* Idle time. Poll occasionally for processing. */
-
- poll_period++;
- if (poll_period >= 39) {
- poll_period = 0;
- tt_user_background ();
- }
- }
-
-} /* end aprs_tt_button */
-
-#endif
-
-/*------------------------------------------------------------------
- *
- * Name: aprs_tt_message
- *
- * Purpose: Process complete received touch tone sequence
- * terminated by #.
- *
- * Inputs: chan - Audio channel it came from.
- *
- * msg - String of DTMF buttons.
- * # should be the final character.
- *
- * Returns: None
- *
- * Description: Process a complete message.
- * It should have one or more fields separatedy by *
- * and terminated by a final # like these:
- *
- * callsign #
- * entry1 * callsign #
- * entry1 * entry * callsign #
- *
- *----------------------------------------------------------------*/
-
-static char m_callsign[20]; /* really object name */
-
-/*
- * Standard APRStt has symbol code 'A' (box) with overlay of 0-9, A-Z.
- *
- * Dire Wolf extension allows:
- * Symbol table '/' (primary), any symbol code.
- * Symbol table '\' (alternate), any symbol code.
- * Alternate table symbol code, overlay of 0-9, A-Z.
- */
-static char m_symtab_or_overlay;
-static char m_symbol_code;
-
-static double m_longitude;
-static double m_latitude;
-static char m_comment[200];
-static char m_freq[12];
-static char m_mic_e;
-static char m_dao[6];
-static int m_ssid;
-
-//#define G_UNKNOWN -999999
-
-
-
-void aprs_tt_message (int chan, char *msg)
-{
- int err;
-
-#if DEBUG
- text_color_set(DW_COLOR_DEBUG);
- dw_printf ("\n\"%s\"\n", msg);
-#endif
-
-/*
- * Discard empty message.
- * In case # is there as optional start.
- */
-
- if (msg[0] == '#') return;
-
-/*
- * This takes the place of the usual line with audio level.
- * Do it here, rather than in process_rec_frame, so any
- * error messages are associated with the DTMF message
- * rather than the most recent regular AX.25 frame.
- */
-
-#ifndef TT_MAIN
- text_color_set(DW_COLOR_DEBUG);
- dw_printf ("\nDTMF message\n");
-#endif
-
-/*
- * The parse functions will fill these in.
- */
- strcpy (m_callsign, "");
- m_symtab_or_overlay = '\\';
- m_symbol_code = 'A';
- m_longitude = G_UNKNOWN;
- m_latitude = G_UNKNOWN;
- strcpy (m_comment, "");
- strcpy (m_freq, "");
- m_mic_e = ' ';
- strcpy (m_dao, "!T !"); /* start out unknown */
- m_ssid = 12;
-
-/*
- * Send raw touch tone data to application.
- */
- raw_tt_data_to_app (chan, msg);
-
-/*
- * Parse the touch tone sequence.
- */
- err = parse_fields (msg);
-
-#if defined(DEBUG) || defined(TT_MAIN)
- text_color_set(DW_COLOR_DEBUG);
- dw_printf ("callsign=\"%s\", ssid=%d, symbol=\"%c%c\", freq=\"%s\", comment=\"%s\", lat=%.4f, lon=%.4f, dao=\"%s\"\n",
- m_callsign, m_ssid, m_symtab_or_overlay, m_symbol_code, m_freq, m_comment, m_latitude, m_longitude, m_dao);
-#endif
-
-
- if (err == 0) {
-
-/*
- * Digested successfully. Add to our list of users and schedule transmissions.
- */
-
-#ifndef TT_MAIN
- err = tt_user_heard (m_callsign, m_ssid, m_symtab_or_overlay, m_symbol_code, m_latitude, m_longitude,
- m_freq, m_comment, m_mic_e, m_dao);
-#endif
- }
-
- // TODO send response to user.
- // err == 0 OK, others, suitable error response.
-
-
-} /* end aprs_tt_message */
-
-
-/*------------------------------------------------------------------
- *
- * Name: parse_fields
- *
- * Purpose: Separate the complete string of touch tone characters
- * into fields, delimited by *, and process each.
- *
- * Inputs: msg - String of DTMF buttons.
- *
- * Returns: None
- *
- * Description: It should have one or more fields separatedy by *.
- *
- * callsign #
- * entry1 * callsign #
- * entry1 * entry * callsign #
- *
- * Note that this will be used recursively when macros
- * are expanded.
- *
- * "To iterate is human, to recurse divine."
- *
- * Returns: 0 for success or one of the TT_ERROR_... codes.
- *
- *----------------------------------------------------------------*/
-
-static int parse_fields (char *msg)
-{
- char stemp[MAX_MSG_LEN+1];
- char *e;
- char *save;
-
- strcpy (stemp, msg);
- e = strtok_r (stemp, "*#", &save);
- while (e != NULL) {
-
- switch (*e) {
-
- case 'A':
-
- switch (e[1]) {
- case 'A':
- parse_object_name (e);
- break;
- case 'B':
- parse_symbol (e);
- break;
- default:
- parse_callsign (e);
- break;
- }
- break;
-
- case 'B':
- parse_location (e);
- break;
-
- case 'C':
- parse_comment (e);
- break;
-
- case '0':
- case '1':
- case '2':
- case '3':
- case '4':
- case '5':
- case '6':
- case '7':
- case '8':
- case '9':
- expand_macro (e);
- break;
-
- case '\0':
- /* Empty field. Just ignore it. */
- /* This would happen if someone uses a leading *. */
- break;
-
- default:
-
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Entry does not start with A, B, C, or digit: \"%s\"\n", msg);
- return (TT_ERROR_D_MSG);
-
- }
-
- e = strtok_r (NULL, "*#", &save);
- }
-
- return (0);
-
-} /* end parse_fields */
-
-
-/*------------------------------------------------------------------
- *
- * Name: expand_macro
- *
- * Purpose: Expand compact form "macro" to full format then process.
- *
- * Inputs: e - An "entry" extracted from a complete
- * APRStt messsage.
- * In this case, it should contain only digits.
- *
- * Returns: 0 for success or one of the TT_ERROR_... codes.
- *
- * Description: Separate out the fields, perform substitution,
- * call parse_fields for processing.
- *
- *----------------------------------------------------------------*/
-
-static int expand_macro (char *e)
-{
- int len;
- int ipat;
- char xstr[20], ystr[20], zstr[20], bstr[20], dstr[20];
- char stemp[MAX_MSG_LEN+1];
- char *d, *s;
-
-
- text_color_set(DW_COLOR_DEBUG);
- dw_printf ("Macro tone sequence: '%s'\n", e);
-
- len = strlen(e);
-
- ipat = find_ttloc_match (e, xstr, ystr, zstr, bstr, dstr);
-
- if (ipat >= 0) {
-
- dw_printf ("Matched pattern %3d: '%s', x=%s, y=%s, z=%s, b=%s, d=%s\n", ipat, tt_config.ttloc_ptr[ipat].pattern, xstr, ystr, zstr, bstr, dstr);
-
- dw_printf ("Replace with: '%s'\n", tt_config.ttloc_ptr[ipat].macro.definition);
-
- if (tt_config.ttloc_ptr[ipat].type != TTLOC_MACRO) {
-
- /* Found match to a different type. Really shouldn't be here. */
- /* Print internal error message... */
- dw_printf ("expand_macro: type != TTLOC_MACRO\n");
- return (TT_ERROR_INTERNAL);
- }
-
-/*
- * We found a match for the length and any fixed digits.
- * Substitute values in to the definition.
- */
-
- strcpy (stemp, "");
-
- for (d = tt_config.ttloc_ptr[ipat].macro.definition; *d != '\0'; d++) {
-
- while (( *d == 'x' || *d == 'y' || *d == 'z') && *d == d[1]) {
- /* Collapse adjacent matching substitution characters. */
- d++;
- }
-
- switch (*d) {
- case 'x':
- strcat (stemp, xstr);
- break;
- case 'y':
- strcat (stemp, ystr);
- break;
- case 'z':
- strcat (stemp, zstr);
- break;
- default:
- {
- char c1[2];
- c1[0] = *d;
- c1[1] = '\0';
- strcat (stemp, c1);
- }
- break;
- }
- }
-/*
- * Process as if we heard this over the air.
- */
-
- dw_printf ("After substitution: '%s'\n", stemp);
- return (parse_fields (stemp));
- }
- else {
- /* Send reject sound. */
- /* Does not match any macro definitions. */
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Tone sequence did not match any pattern\n");
- return (TT_ERROR_MACRO_NOMATCH);
- }
-
- /* should be unreachable */
- return (0);
-}
-
-
-
-/*------------------------------------------------------------------
- *
- * Name: parse_callsign
- *
- * Purpose: Extract callsign or object name from touch tone message.
- *
- * Inputs: e - An "entry" extracted from a complete
- * APRStt messsage.
- * In this case, it should start with "A".
- *
- * Outputs: m_callsign
- *
- * m_symtab_or_overlay - Set to 0-9 or A-Z if specified.
- *
- * m_symbol_code - Always set to 'A'.
- *
- * Returns: 0 for success or one of the TT_ERROR_... codes.
- *
- * Description: We recognize 3 different formats:
- *
- * Annn - 3 digits are a tactical callsign. No overlay.
- *
- * Annnvk - Abbreviation with 3 digits, numeric overlay, checksum.
- * Annnvvk - Abbreviation with 3 digits, letter overlay, checksum.
- *
- * Att...ttvk - Full callsign in two key method, numeric overlay, checksum.
- * Att...ttvvk - Full callsign in two key method, letter overlay, checksum.
- *
- *----------------------------------------------------------------*/
-
-static int checksum_not_ok (char *str, int len, char found)
-{
- int i;
- int sum;
- char expected;
-
- sum = 0;
- for (i=0; i= 'A' && str[i] <= 'D') {
- sum += str[i] - 'A' + 10;
- }
- else {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("aprs_tt: checksum: bad character \"%c\" in checksum calculation!\n", str[i]);
- }
- }
- expected = '0' + (sum % 10);
-
- if (expected != found) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Bad checksum for \"%.*s\". Expected %c but received %c.\n", len, str, expected, found);
- return (TT_ERROR_BAD_CHECKSUM);
- }
- return (0);
-}
-
-
-static int parse_callsign (char *e)
-{
- int len;
- int c_length;
- char tttemp[40], stemp[30];
-
- assert (*e == 'A');
-
- len = strlen(e);
-
-/*
- * special case: 3 digit tactical call.
- */
-
- if (len == 4 && isdigit(e[1]) && isdigit(e[2]) && isdigit(e[3])) {
- strcpy (m_callsign, e+1);
- return (0);
- }
-
-/*
- * 3 digit abbreviation: We only do the parsing here.
- * Another part of application will try to find corresponding full call.
- */
-
- if ((len == 6 && isdigit(e[1]) && isdigit(e[2]) && isdigit(e[3]) && isdigit(e[4]) && isdigit(e[5])) ||
- (len == 7 && isdigit(e[1]) && isdigit(e[2]) && isdigit(e[3]) && isdigit(e[4]) && isupper(e[5]) && isdigit(e[6]))) {
-
- int cs_err = checksum_not_ok (e+1, len-2, e[len-1]);
-
- if (cs_err != 0) {
- return (cs_err);
- }
-
- strncpy (m_callsign, e+1, 3);
- m_callsign[3] = '\0';
-
- if (len == 7) {
- tttemp[0] = e[len-3];
- tttemp[1] = e[len-2];
- tttemp[2] = '\0';
- tt_two_key_to_text (tttemp, 0, stemp);
- m_symbol_code = 'A';
- m_symtab_or_overlay = stemp[0];
- }
- else {
- m_symbol_code = 'A';
- m_symtab_or_overlay = e[len-2];
- }
- return (0);
- }
-
-/*
- * Callsign in two key format.
- */
-
- if (len >= 7 && len <= 24) {
-
- int cs_err = checksum_not_ok (e+1, len-2, e[len-1]);
-
- if (cs_err != 0) {
- return (cs_err);
- }
-
-
- if (isupper(e[len-2])) {
- strncpy (tttemp, e+1, len-4);
- tttemp[len-4] = '\0';
- tt_two_key_to_text (tttemp, 0, m_callsign);
-
- tttemp[0] = e[len-3];
- tttemp[1] = e[len-2];
- tttemp[2] = '\0';
- tt_two_key_to_text (tttemp, 0, stemp);
- m_symbol_code = 'A';
- m_symtab_or_overlay = stemp[0];
- }
- else {
- strncpy (tttemp, e+1, len-3);
- tttemp[len-3] = '\0';
- tt_two_key_to_text (tttemp, 0, m_callsign);
-
- m_symbol_code = 'A';
- m_symtab_or_overlay = e[len-2];
- }
- return (0);
- }
-
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Touch tone callsign not valid: \"%s\"\n", e);
- return (TT_ERROR_INVALID_CALL);
-}
-
-/*------------------------------------------------------------------
- *
- * Name: parse_object_name
- *
- * Purpose: Extract object name from touch tone message.
- *
- * Inputs: e - An "entry" extracted from a complete
- * APRStt messsage.
- * In this case, it should start with "AA".
- *
- * Outputs: m_callsign
- *
- * m_ssid - Cleared to remove the default of 12.
- *
- * Returns: 0 for success or one of the TT_ERROR_... codes.
- *
- * Description: Data format
- *
- * AAtt...tt - Symbol name, two key method, up to 9 characters.
- *
- *----------------------------------------------------------------*/
-
-
-static int parse_object_name (char *e)
-{
- int len;
- int c_length;
- char tttemp[40], stemp[30];
-
- assert (e[0] == 'A');
- assert (e[1] == 'A');
-
- len = strlen(e);
-
-/*
- * Object name in two key format.
- */
-
- if (len >= 2 + 1 && len <= 30) {
-
- if (tt_two_key_to_text (e+2, 0, m_callsign) == 0) {
- m_callsign[9] = '\0'; /* truncate to 9 */
- m_ssid = 0; /* No ssid for object name */
- return (0);
- }
- }
-
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Touch tone object name not valid: \"%s\"\n", e);
-
- return (TT_ERROR_INVALID_OBJNAME);
-
-} /* end parse_oject_name */
-
-
-/*------------------------------------------------------------------
- *
- * Name: parse_symbol
- *
- * Purpose: Extract symbol from touch tone message.
- *
- * Inputs: e - An "entry" extracted from a complete
- * APRStt messsage.
- * In this case, it should start with "AB".
- *
- * Outputs: m_symtab_or_overlay
- *
- * m_symbol_code
- *
- * Returns: 0 for success or one of the TT_ERROR_... codes.
- *
- * Description: Data format
- *
- * AB1nn - Symbol from primary symbol table.
- * Two digits nn are the same as in the GPSCnn
- * generic address used as a destination.
- *
- * AB2nn - Symbol from alternate symbol table.
- * Two digits nn are the same as in the GPSEnn
- * generic address used as a destination.
- *
- * AB0nnvv - Symbol from alternate symbol table.
- * Two digits nn are the same as in the GPSEnn
- * generic address used as a destination.
- * vv is an overlay digit or letter in two key method.
- *
- *----------------------------------------------------------------*/
-
-
-static int parse_symbol (char *e)
-{
- int len;
- char nstr[4];
- int nn;
- char stemp[10];
-
- assert (e[0] == 'A');
- assert (e[1] == 'B');
-
- len = strlen(e);
-
- if (len >= 4 && len <= 10) {
-
- nstr[0] = e[3];
- nstr[1] = e[4];
- nstr[2] = '\0';
-
- nn = atoi (nstr);
- if (nn < 1) {
- nn = 1;
- }
- else if (nn > 94) {
- nn = 94;
- }
-
- switch (e[2]) {
-
- case '1':
- m_symtab_or_overlay = '/';
- m_symbol_code = 32 + nn;
- return (0);
- break;
-
- case '2':
- m_symtab_or_overlay = '\\';
- m_symbol_code = 32 + nn;
- return (0);
- break;
-
- case '0':
- if (len >= 6) {
- if (tt_two_key_to_text (e+5, 0, stemp) == 0) {
- m_symbol_code = 32 + nn;
- m_symtab_or_overlay = stemp[0];
- return (0);
- }
- }
- break;
- }
- }
-
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Touch tone symbol not valid: \"%s\"\n", e);
-
- return (TT_ERROR_INVALID_SYMBOL);
-
-} /* end parse_oject_name */
-
-
-/*------------------------------------------------------------------
- *
- * Name: parse_location
- *
- * Purpose: Extract location from touch tone message.
- *
- * Inputs: e - An "entry" extracted from a complete
- * APRStt messsage.
- * In this case, it should start with "B".
- *
- * Outputs: m_latitude
- * m_longitude
- *
- * Returns: 0 for success or one of the TT_ERROR_... codes.
- *
- * Description: There are many different formats recognizable
- * by total number of digits and sometimes the first digit.
- *
- * We handle most of them in a general way, processing
- * them in 4 groups:
- *
- * * points
- * * vector
- * * grid
- * * utm
- *
- *----------------------------------------------------------------*/
-
-
-
-/* Average radius of earth in meters. */
-#define R 6371000.
-
-/* Convert between degrees and radians. */
-
-#define D2R(a) ((a) * 2. * M_PI / 360.)
-#define R2D(a) ((a) * 360. / (2*M_PI))
-
-
-static int parse_location (char *e)
-{
- int len;
- int ipat;
- char xstr[20], ystr[20], zstr[20], bstr[20], dstr[20];
- double x, y, dist, bearing;
- double lat0, lon0;
- double lat9, lon9;
- double easting, northing;
-
- assert (*e == 'B');
-
- m_dao[2] = e[0];
- m_dao[3] = e[1]; /* Type of location. e.g. !TB6! */
- /* Will be changed by point types. */
-
- len = strlen(e);
-
- ipat = find_ttloc_match (e, xstr, ystr, zstr, bstr, dstr);
- if (ipat >= 0) {
-
- //dw_printf ("ipat=%d, x=%s, y=%s, b=%s, d=%s\n", ipat, xstr, ystr, bstr, dstr);
-
- switch (tt_config.ttloc_ptr[ipat].type) {
- case TTLOC_POINT:
-
- m_latitude = tt_config.ttloc_ptr[ipat].point.lat;
- m_longitude = tt_config.ttloc_ptr[ipat].point.lon;
-
- /* Is it one of ten or a hundred positions? */
- /* It's not hardwired to always be B0n or B9nn. */
- /* This is a pretty good approximation. */
-
- if (strlen(e) == 3) { /* probably B0n --> !Tn ! */
- m_dao[2] = e[2];
- m_dao[3] = ' ';
- }
- if (strlen(e) == 4) { /* probably B9nn --> !Tnn! */
- m_dao[2] = e[2];
- m_dao[3] = e[3];
- }
- break;
-
- case TTLOC_VECTOR:
-
- if (strlen(bstr) != 3) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Bearing \"%s\" should be 3 digits.\n", bstr);
- // return error code?
- }
- if (strlen(dstr) < 1) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Distance \"%s\" should 1 or more digits.\n", dstr);
- // return error code?
- }
-
- lat0 = D2R(tt_config.ttloc_ptr[ipat].vector.lat);
- lon0 = D2R(tt_config.ttloc_ptr[ipat].vector.lon);
- dist = atof(dstr) * tt_config.ttloc_ptr[ipat].vector.scale;
- bearing = D2R(atof(bstr));
-
- /* Equations and caluculators found here: */
- /* http://movable-type.co.uk/scripts/latlong.html */
-
- m_latitude = R2D(asin(sin(lat0) * cos(dist/R) + cos(lat0) * sin(dist/R) * cos(bearing)));
-
- m_longitude = R2D(lon0 + atan2(sin(bearing) * sin(dist/R) * cos(lat0),
- cos(dist/R) - sin(lat0) * sin(D2R(m_latitude))));
- break;
-
- case TTLOC_GRID:
-
- if (strlen(xstr) == 0) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Missing X coordinate.\n");
- strcpy (xstr, "0");
- }
- if (strlen(ystr) == 0) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Missing Y coordinate.\n");
- strcpy (ystr, "0");
- }
-
- lat0 = tt_config.ttloc_ptr[ipat].grid.lat0;
- lat9 = tt_config.ttloc_ptr[ipat].grid.lat9;
- y = atof(ystr);
- m_latitude = lat0 + y * (lat9-lat0) / (pow(10., strlen(ystr)) - 1.);
-
- lon0 = tt_config.ttloc_ptr[ipat].grid.lon0;
- lon9 = tt_config.ttloc_ptr[ipat].grid.lon9;
- x = atof(xstr);
- m_longitude = lon0 + x * (lon9-lon0) / (pow(10., strlen(xstr)) - 1.);
-
- break;
-
- case TTLOC_UTM:
-
- if (strlen(xstr) == 0) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Missing X coordinate.\n");
- /* Avoid divide by zero later. Put in middle of range. */
- strcpy (xstr, "5");
- }
- if (strlen(ystr) == 0) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Missing Y coordinate.\n");
- /* Avoid divide by zero later. Put in middle of range. */
- strcpy (ystr, "5");
- }
-
- x = atof(xstr);
- easting = x * tt_config.ttloc_ptr[ipat].utm.scale + tt_config.ttloc_ptr[ipat].utm.x_offset;
-
- y = atof(ystr);
- northing = y * tt_config.ttloc_ptr[ipat].utm.scale + tt_config.ttloc_ptr[ipat].utm.y_offset;
-
- UTMtoLL (WSG84, northing, easting, tt_config.ttloc_ptr[ipat].utm.zone,
- &m_latitude, &m_longitude);
- break;
-
- default:
- assert (0);
- }
- return (0);
- }
-
- /* Send reject sound. */
- /* Does not match any location specification. */
-
- return (TT_ERROR_INVALID_LOC);
-
-} /* end parse_location */
-
-
-/*------------------------------------------------------------------
- *
- * Name: find_ttloc_match
- *
- * Purpose: Try to match the received position report to a pattern
- * defined in the configuration file.
- *
- * Inputs: e - An "entry" extracted from a complete
- * APRStt messsage.
- * In this case, it should start with "B".
- *
- * Outputs: xstr - All digits matching x positions in configuration.
- * ystr - y
- * zstr - z
- * bstr - b
- * dstr - d
- *
- * Returns: >= 0 for index into table if found.
- * -1 if not found.
- *
- * Description:
- *
- *----------------------------------------------------------------*/
-
-static int find_ttloc_match (char *e, char *xstr, char *ystr, char *zstr, char *bstr, char *dstr)
-{
- int ipat; /* Index into patterns from configuration file */
- int len; /* Length of pattern we are trying to match. */
- int match;
- char mc;
- int k;
-
-//TODO: remove dw_printf ("find_ttloc_match: e=%s\n", e);
-
- for (ipat=0; ipat 0) {
- for (c=m_callsign, s=src; *c != '\0' && strlen(src) < 6; c++) {
- if (isupper(*c) || isdigit(*c)) {
- *s++ = *c;
- *s = '\0';
- }
- }
- }
- else {
- strcpy (src, "APRSTT");
- }
-
-
- // TODO: test this.
-
- err= symbols_into_dest (m_symtab_or_overlay, m_symbol_code, dest);
- if (err) {
- /* Error message was already printed. */
- /* Set reasonable default rather than keeping "GPS???" which */
- /* is invalid and causes trouble later. */
-
- strcpy (dest, "GPSAA");
- }
-
- sprintf (raw_tt_msg, "%s>%s:t%s", src, dest, msg);
-
- pp = ax25_from_text (raw_tt_msg, 1);
-
-/*
- * Process like a normal received frame.
- * NOTE: This goes directly to application rather than
- * thru the multi modem duplicate processing.
- */
-
- app_process_rec_packet (chan, -1, pp, -2, RETRY_NONE, "tt");
-
-#endif
-}
-
-
-
-/*------------------------------------------------------------------
- *
- * Name: main
- *
- * Purpose: Unit test for this file.
- *
- * Description: Run unit test like this:
- *
- * rm a.exe ; gcc tt_text.c -DTT_MAIN -DDEBUG aprs_tt.c strtok_r.o utm/LatLong-UTMconversion.c ; ./a.exe
- *
- *
- * Bugs: No automatic checking.
- * Just eyeball it to see if things look right.
- *
- *----------------------------------------------------------------*/
-
-
-#if TT_MAIN
-
-
-void text_color_set (dw_color_t c) { return; }
-
-int dw_printf (const char *fmt, ...)
-{
- va_list args;
- int len;
-
- va_start (args, fmt);
- len = vprintf (fmt, args);
- va_end (args);
- return (len);
-}
-
-
-
-int main (int argc, char *argv[])
-{
- char text[256], buttons[256];
- int n;
-
- dw_printf ("Hello, world!\n");
-
- aprs_tt_init (NULL);
-
- //if (argc < 2) {
- //dw_printf ("Supply text string on command line.\n");
- //exit (1);
- //}
-
-/* Callsigns & abbreviations. */
-
- aprs_tt_message (0, "A9A2B42A7A7C71#"); /* WB4APR/7 */
- aprs_tt_message (0, "A27773#"); /* abbreviated form */
- /* Example in http://www.aprs.org/aprstt/aprstt-coding24.txt has a bad checksum! */
- aprs_tt_message (0, "A27776#"); /* Expect error message. */
-
- aprs_tt_message (0, "A2A7A7C71#"); /* Spelled suffix, overlay, checksum */
- aprs_tt_message (0, "A27773#"); /* Suffix digits, overlay, checksum */
-
- aprs_tt_message (0, "A9A2B26C7D9D71#"); /* WB2OSZ/7 numeric overlay */
- aprs_tt_message (0, "A67979#"); /* abbreviated form */
-
- aprs_tt_message (0, "A9A2B26C7D9D5A9#"); /* WB2OSZ/J letter overlay */
- aprs_tt_message (0, "A6795A7#"); /* abbreviated form */
-
- aprs_tt_message (0, "A277#"); /* Tactical call "277" no overlay and no checksum */
-
-/* Locations */
-
- aprs_tt_message (0, "B01*A67979#");
- aprs_tt_message (0, "B988*A67979#");
-
- /* expect about 52.79 +0.83 */
- aprs_tt_message (0, "B51000125*A67979#");
-
- /* Try to get from Hilltop Tower to Archery & Target Range. */
- /* Latitude comes out ok, 37.9137 -> 55.82 min. */
- /* Longitude -81.1254 -> 8.20 min */
-
- aprs_tt_message (0, "B5206070*A67979#");
-
- aprs_tt_message (0, "B21234*A67979#");
- aprs_tt_message (0, "B533686*A67979#");
-
-
-/* Comments */
-
- aprs_tt_message (0, "C1");
- aprs_tt_message (0, "C2");
- aprs_tt_message (0, "C146520");
- aprs_tt_message (0, "C7788444222550227776669660333666990122223333");
-
-/* Macros */
-
- aprs_tt_message (0, "88345");
-
- return(0);
-
-} /* end main */
-
-
-
-
-#endif
-
-/* end aprs_tt.c */
-
diff --git a/aprs_tt.h b/aprs_tt.h
deleted file mode 100644
index 3279179b..00000000
--- a/aprs_tt.h
+++ /dev/null
@@ -1,100 +0,0 @@
-
-/* aprs_tt.h */
-
-#ifndef APRS_TT_H
-#define APRS_TT_H 1
-
-/*
- * For holding location format specifications from config file.
- * Same thing is also useful for macro definitions.
- * We have exactly the same situation of looking for a pattern
- * match and extracting fixed size groups of digits.
- */
-
-struct ttloc_s {
- enum { TTLOC_POINT, TTLOC_VECTOR, TTLOC_GRID, TTLOC_UTM, TTLOC_MACRO } type;
-
- char pattern[20]; /* e.g. B998, B5bbbdddd, B2xxyy, Byyyxxx */
- /* For macros, it should be all fixed digits, */
- /* and the letters x, y, z. e.g. 911, xxyyyz */
-
- union {
-
- struct {
- double lat; /* Specific locations. */
- double lon;
- } point;
-
- struct {
- double lat; /* For bearing/direction. */
- double lon;
- double scale; /* conversion to meters */
- } vector;
-
- struct {
- double lat0; /* yyy all zeros. */
- double lon0; /* xxx */
- double lat9; /* yyy all nines. */
- double lon9; /* xxx */
- } grid;
-
- struct {
- char zone[8];
- double scale;
- double x_offset;
- double y_offset;
- } utm;
-
- struct {
- char *definition;
- } macro;
- };
-};
-
-/*
- * Configuratin options for APRStt.
- */
-
-#define TT_MAX_XMITS 10
-
-struct tt_config_s {
-
- int obj_xmit_chan; /* Channel to transmit object report. */
- char obj_xmit_header[AX25_MAX_ADDRS*AX25_MAX_ADDR_LEN];
- /* e.g. "WB2OSZ-5>APDW07,WIDE1-1" */
-
- int retain_time; /* Seconds to keep information about a user. */
- int num_xmits; /* Number of times to transmit object report. */
- int xmit_delay[TT_MAX_XMITS]; /* Delay between them. */
-
- struct ttloc_s *ttloc_ptr; /* Pointer to variable length array of above. */
- int ttloc_size; /* Number of elements allocated. */
- int ttloc_len; /* Number of elements actually used. */
-
- double corral_lat; /* The "corral" for unknown locations. */
- double corral_lon;
- double corral_offset;
- int corral_ambiguity;
-};
-
-
-void aprs_tt_init (struct tt_config_s *p_config);
-
-void aprs_tt_button (int chan, char button);
-
-/* Error codes for sending responses to user. */
-
-#define TT_ERROR_D_MSG 1 /* D was first char of field. Not implemented yet. */
-#define TT_ERROR_INTERNAL 2 /* Internal error. Shouldn't be here. */
-#define TT_ERROR_MACRO_NOMATCH 3 /* No definition for digit sequence. */
-#define TT_ERROR_BAD_CHECKSUM 4 /* Bad checksum on call. */
-#define TT_ERROR_INVALID_CALL 5 /* Invalid callsign. */
-#define TT_ERROR_INVALID_OBJNAME 6 /* Invalid object name. */
-#define TT_ERROR_INVALID_SYMBOL 7 /* Invalid symbol specification. */
-#define TT_ERROR_INVALID_LOC 8 /* Invalid location. */
-#define TT_ERROR_NO_CALL 9 /* No call or object name included. */
-
-
-#endif
-
-/* end aprs_tt.h */
\ No newline at end of file
diff --git a/atest.c b/atest.c
deleted file mode 100644
index b6c62372..00000000
--- a/atest.c
+++ /dev/null
@@ -1,447 +0,0 @@
-
-//
-// This file is part of Dire Wolf, an amateur radio packet TNC.
-//
-// Copyright (C) 2011,2012,2013 John Langner, WB2OSZ
-//
-// This program is free software: you can redistribute it and/or modify
-// it under the terms of the GNU General Public License as published by
-// the Free Software Foundation, either version 2 of the License, or
-// (at your option) any later version.
-//
-// This program is distributed in the hope that it will be useful,
-// but WITHOUT ANY WARRANTY; without even the implied warranty of
-// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
-// GNU General Public License for more details.
-//
-// You should have received a copy of the GNU General Public License
-// along with this program. If not, see .
-//
-
-
-/*-------------------------------------------------------------------
- *
- * Name: atest.c
- *
- * Purpose: Unit test for the AFSK demodulator.
- *
- * Inputs: Takes audio from a .WAV file insted of the audio device.
- *
- * Description: This can be used to test the AFSK demodulator under
- * controlled and reproducable conditions for tweaking.
- *
- * For example
- *
- * (1) Download WA8LMF's TNC Test CD image file from
- * http://wa8lmf.net/TNCtest/index.htm
- *
- * (2) Burn a physical CD.
- *
- * (3) "Rip" the desired tracks with Windows Media Player.
- * This results in .WMA files.
- *
- * (4) Upload the .WMA file(s) to http://media.io/ and
- * convert to .WAV format.
- *
- *
- * Comparison to others:
- *
- * Here are some other scores from Track 2 of the TNC Test CD:
- * http://sites.google.com/site/ki4mcw/Home/arduino-tnc
- *
- * Without ONE_CHAN defined:
- *
- * Notice that the number of packets decoded, as reported by
- * this test program, will be twice the number expected because
- * we are decoding the left and right audio channels separately.
- *
- *
- * With ONE_CHAN defined:
- *
- * Only process one channel.
- *
- * Version 0.4 decoded 870 packets.
- *
- * After a little tweaking, version 0.5 decodes 931 packets.
- *
- * After more tweaking, version 0.6 gets 965 packets.
- * This is without the option to retry after getting a bad FCS.
- *
- *--------------------------------------------------------------------*/
-
-// #define X 1
-
-
-#include
-#include
-//#include
-#include
-#include
-#include
-#include
-#include
-
-
-#define ATEST_C 1
-
-#include "audio.h"
-#include "demod.h"
-// #include "fsk_demod_agc.h"
-#include "textcolor.h"
-#include "ax25_pad.h"
-#include "hdlc_rec2.h"
-
-
-
-struct wav_header { /* .WAV file header. */
- char riff[4]; /* "RIFF" */
- int filesize; /* file length - 8 */
- char wave[4]; /* "WAVE" */
- char fmt[4]; /* "fmt " */
- int fmtsize; /* 16. */
- short wformattag; /* 1 for PCM. */
- short nchannels; /* 1 for mono, 2 for stereo. */
- int nsamplespersec; /* sampling freq, Hz. */
- int navgbytespersec; /* = nblockalign*nsamplespersec. */
- short nblockalign; /* = wbitspersample/8 * nchannels. */
- short wbitspersample; /* 16 or 8. */
- char data[4]; /* "data" */
- int datasize; /* number of bytes following. */
-} ;
-
- /* 8 bit samples are unsigned bytes */
- /* in range of 0 .. 255. */
-
- /* 16 bit samples are signed short */
- /* in range of -32768 .. +32767. */
-
-static struct wav_header header;
-static FILE *fp;
-static int e_o_f;
-static int packets_decoded = 0;
-static int decimate = 1; /* Reduce that sampling rate. */
- /* 1 = normal, 2 = half, etc. */
-
-
-int main (int argc, char *argv[])
-{
-
- //int err;
- int c;
- struct audio_s modem;
- int channel;
- time_t start_time;
-
- text_color_init(1);
- text_color_set(DW_COLOR_INFO);
-
-/*
- * First apply defaults.
- */
-
- memset (&modem, 0, sizeof(modem));
-
- modem.num_channels = DEFAULT_NUM_CHANNELS;
- modem.samples_per_sec = DEFAULT_SAMPLES_PER_SEC;
- modem.bits_per_sample = DEFAULT_BITS_PER_SAMPLE;
-
- /* TODO: should have a command line option for this. */
- /* Results v0.9: 971/69, 990/64, 992/65, 992/67, 1004/476 */
-
- modem.fix_bits = RETRY_NONE;
- modem.fix_bits = RETRY_SINGLE;
- modem.fix_bits = RETRY_DOUBLE;
- //modem.fix_bits = RETRY_TRIPLE;
- //modem.fix_bits = RETRY_TWO_SEP;
-
- for (channel=0; channel 10000) {
- fprintf (stderr, "Use a more reasonable bit rate in range of 100 - 10000.\n");
- exit (EXIT_FAILURE);
- }
- if (modem.baud[0] < 600) {
- modem.modem_type[0] = AFSK;
- modem.mark_freq[0] = 1600;
- modem.space_freq[0] = 1800;
- }
- else if (modem.baud[0] > 2400) {
- modem.modem_type[0] = SCRAMBLE;
- modem.mark_freq[0] = 0;
- modem.space_freq[0] = 0;
- printf ("Using scrambled baseband signal rather than AFSK.\n");
- }
- else {
- modem.modem_type[0] = AFSK;
- modem.mark_freq[0] = 1200;
- modem.space_freq[0] = 2200;
- }
- break;
-
- case 'P': /* -P for modem profile. */
-
- printf ("Demodulator profile set to \"%s\"\n", optarg);
- strcpy (modem.profiles[0], optarg);
- break;
-
- case 'D': /* -D reduce sampling rate for lower CPU usage. */
-
- decimate = atoi(optarg);
- printf ("Decimate factor = %d\n", decimate);
- modem.decimate[0] = decimate;
- break;
-
- case '?':
-
- /* Unknown option message was already printed. */
- //usage (argv);
- break;
-
- default:
-
- /* Should not be here. */
- printf("?? getopt returned character code 0%o ??\n", c);
- //usage (argv);
- }
- }
-
- if (optind >= argc) {
- printf ("Specify .WAV file name on command line.\n");
- exit (1);
- }
-
- fp = fopen(argv[optind], "rb");
- if (fp == NULL) {
- text_color_set(DW_COLOR_ERROR);
- fprintf (stderr, "Couldn't open file for read: %s\n", argv[optind]);
- //perror ("more info?");
- exit (1);
- }
-
- start_time = time(NULL);
-
-
-/*
- * Read the file header.
- */
-
- fread (&header, sizeof(header), (size_t)1, fp);
-
- assert (header.nchannels == 1 || header.nchannels == 2);
- assert (header.wbitspersample == 8 || header.wbitspersample == 16);
-
- modem.samples_per_sec = header.nsamplespersec;
- modem.samples_per_sec = modem.samples_per_sec;
- modem.bits_per_sample = header.wbitspersample;
- modem.num_channels = header.nchannels;
-
- text_color_set(DW_COLOR_INFO);
- printf ("%d samples per second\n", modem.samples_per_sec);
- printf ("%d bits per sample\n", modem.bits_per_sample);
- printf ("%d audio channels\n", modem.num_channels);
- printf ("%d audio bytes in file\n", (int)(header.datasize));
-
-
-/*
- * Initialize the AFSK demodulator and HDLC decoder.
- */
- multi_modem_init (&modem);
-
-
- e_o_f = 0;
- while ( ! e_o_f)
- {
-
-
- int audio_sample;
- int c;
-
- for (c=0; c= 256 * 256)
- e_o_f = 1;
-
-#define ONE_CHAN 1 /* only use one audio channel. */
-
-#if ONE_CHAN
- if (c != 0) continue;
-#endif
-
- multi_modem_process_sample(c,audio_sample);
- }
-
- /* When a complete frame is accumulated, */
- /* process_rec_frame, below, is called. */
-
- }
-
- text_color_set(DW_COLOR_INFO);
- printf ("\n\n");
- printf ("%d packets decoded in %d seconds.\n", packets_decoded, (int)(time(NULL) - start_time));
-
- exit (0);
-}
-
-
-/*
- * Simulate sample from the audio device.
- */
-
-int audio_get (void)
-{
- int ch;
-
- ch = getc(fp);
-
- if (ch < 0) e_o_f = 1;
-
- return (ch);
-}
-
-
-
-/*
- * Rather than queuing up frames with bad FCS,
- * try to fix them immediately.
- */
-
-void rdq_append (rrbb_t rrbb)
-{
- int chan;
- int alevel;
- int subchan;
-
-
- chan = rrbb_get_chan(rrbb);
- subchan = rrbb_get_subchan(rrbb);
- alevel = rrbb_get_audio_level(rrbb);
-
- hdlc_rec2_try_to_fix_later (rrbb, chan, subchan, alevel);
-}
-
-
-/*
- * This is called when we have a good frame.
- */
-
-void app_process_rec_packet (int chan, int subchan, packet_t pp, int alevel, retry_t retries, char *spectrum)
-{
-
- //int err;
- //char *p;
- char stemp[500];
- unsigned char *pinfo;
- int info_len;
- int h;
- char heard[20];
- //packet_t pp;
-
-
- packets_decoded++;
-
-
- ax25_format_addrs (pp, stemp);
-
- info_len = ax25_get_info (pp, &pinfo);
-
- /* Print so we can see what is going on. */
-
-#if 1
- /* Display audio input level. */
- /* Who are we hearing? Original station or digipeater. */
-
- h = ax25_get_heard(pp);
- ax25_get_addr_with_ssid(pp, h, heard);
-
- text_color_set(DW_COLOR_DEBUG);
- printf ("\n");
-
- if (h != AX25_SOURCE) {
- printf ("Digipeater ");
- }
- printf ("%s audio level = %d [%s] %s\n", heard, alevel, retry_text[(int)retries], spectrum);
-
-
-#endif
-
-// Display non-APRS packets in a different color.
-
- if (ax25_is_aprs(pp)) {
- text_color_set(DW_COLOR_REC);
- printf ("[%d] ", chan);
- }
- else {
- text_color_set(DW_COLOR_DEBUG);
- printf ("[%d] ", chan);
- }
-
- printf ("%s", stemp); /* stations followed by : */
- ax25_safe_print ((char *)pinfo, info_len, 0);
- printf ("\n");
-
- ax25_delete (pp);
-
-} /* end app_process_rec_packet */
-
-
-/* end atest.c */
diff --git a/audio.c b/audio.c
deleted file mode 100644
index e800f6e9..00000000
--- a/audio.c
+++ /dev/null
@@ -1,1307 +0,0 @@
-
-// Remove next line to eliminate annoying debug messages every 100 seconds.
-#define STATISTICS 1
-
-
-//
-// This file is part of Dire Wolf, an amateur radio packet TNC.
-//
-// Copyright (C) 2011, 2012, 2013, 2014 John Langner, WB2OSZ
-//
-// This program is free software: you can redistribute it and/or modify
-// it under the terms of the GNU General Public License as published by
-// the Free Software Foundation, either version 2 of the License, or
-// (at your option) any later version.
-//
-// This program is distributed in the hope that it will be useful,
-// but WITHOUT ANY WARRANTY; without even the implied warranty of
-// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
-// GNU General Public License for more details.
-//
-// You should have received a copy of the GNU General Public License
-// along with this program. If not, see .
-//
-
-
-/*------------------------------------------------------------------
- *
- * Module: audio.c
- *
- * Purpose: Interface to audio device commonly called a "sound card" for
- * historical reasons.
- *
- * This version is for Linux and Cygwin.
- *
- * Two different types of sound interfaces are supported:
- *
- * * OSS - For Cygwin or Linux versions with /dev/dsp.
- *
- * * ALSA - For Linux versions without /dev/dsp.
- * In this case, define preprocessor symbol USE_ALSA.
- *
- * References: Some tips on on using Linux sound devices.
- *
- * http://www.oreilly.de/catalog/multilinux/excerpt/ch14-05.htm
- * http://cygwin.com/ml/cygwin-patches/2004-q1/msg00116/devdsp.c
- * http://manuals.opensound.com/developer/fulldup.c.html
- *
- * "Introduction to Sound Programming with ALSA"
- * http://www.linuxjournal.com/article/6735?page=0,1
- *
- * http://www.alsa-project.org/main/index.php/Asoundrc
- *
- * Credits: Fabrice FAURE contributed code for the SDR UDP interface.
- *
- * Discussion here: http://gqrx.dk/doc/streaming-audio-over-udp
- *
- *
- * Future: Will probably rip out the OSS code.
- * ALSA was added to Linux kernel 10 years ago.
- * Cygwin doesn't have it but I see no reason to support Cygwin
- * now that we have a native Windows version.
- *
- *---------------------------------------------------------------*/
-
-
-#include
-#include
-#include
-#include
-#include
-#include
-#include
-#include
-#include
-
-#include
-#include
-#include
-
-
-#if USE_ALSA
-#include
-#else
-#include
-#endif
-
-#include "direwolf.h"
-#include "audio.h"
-#include "textcolor.h"
-
-
-#if USE_ALSA
-static snd_pcm_t *audio_in_handle = NULL;
-static snd_pcm_t *audio_out_handle = NULL;
-
-static int bytes_per_frame; /* number of bytes for a sample from all channels. */
- /* e.g. 4 for stereo 16 bit. */
-
-static int set_alsa_params (snd_pcm_t *handle, struct audio_s *pa, char *name, char *dir);
-
-//static void alsa_select_device (char *pick_dev, int direction, char *result);
-#else
-
-static int oss_audio_device_fd = -1; /* Single device, both directions. */
-
-#endif
-
-static int inbuf_size_in_bytes = 0; /* number of bytes allocated */
-static unsigned char *inbuf_ptr = NULL;
-static int inbuf_len = 0; /* number byte of actual data available. */
-static int inbuf_next = 0; /* index of next to remove. */
-
-static int outbuf_size_in_bytes = 0;
-static unsigned char *outbuf_ptr = NULL;
-static int outbuf_len = 0;
-
-#define ONE_BUF_TIME 40
-
-static enum audio_in_type_e audio_in_type;
-
-// UDP socket used for receiving data
-
-static int udp_sock;
-
-
-#define roundup1k(n) (((n) + 0x3ff) & ~0x3ff)
-#define calcbufsize(rate,chans,bits) roundup1k( ( (rate)*(chans)*(bits) / 8 * ONE_BUF_TIME)/1000 )
-
-
-/*------------------------------------------------------------------
- *
- * Name: audio_open
- *
- * Purpose: Open the digital audio device.
- * For "OSS", the device name is typically "/dev/dsp".
- * For "ALSA", it's a lot more complicated. See User Guide.
- *
- * New in version 1.0, we recognize "udp:" optionally
- * followed by a port number.
- *
- * Inputs: pa - Address of structure of type audio_s.
- *
- * Using a structure, rather than separate arguments
- * seemed to make sense because we often pass around
- * the same set of parameters various places.
- *
- * The fields that we care about are:
- * num_channels
- * samples_per_sec
- * bits_per_sample
- * If zero, reasonable defaults will be provided.
- *
- * The device names are in adevice_in and adevice_out.
- * - For "OSS", the device name is typically "/dev/dsp".
- * - For "ALSA", the device names are hw:c,d
- * where c is the "card" (for historical purposes)
- * and d is the "device" within the "card."
- *
- *
- * Outputs: pa - The ACTUAL values are returned here.
- *
- * These might not be exactly the same as what was requested.
- *
- * Example: ask for stereo, 16 bits, 22050 per second.
- * An ordinary desktop/laptop PC should be able to handle this.
- * However, some other sort of smaller device might be
- * more restrictive in its capabilities.
- * It might say, the best I can do is mono, 8 bit, 8000/sec.
- *
- * The sofware modem must use this ACTUAL information
- * that the device is supplying, that could be different
- * than what the user specified.
- *
- * Returns: 0 for success, -1 for failure.
- *
- *----------------------------------------------------------------*/
-
-int audio_open (struct audio_s *pa)
-{
- int err;
- int chan;
-
-#if USE_ALSA
-
- char audio_in_name[30];
- char audio_out_name[30];
-
- assert (audio_in_handle == NULL);
- assert (audio_out_handle == NULL);
-
-#else
-
- assert (oss_audio_device_fd == -1);
-#endif
-
-/*
- * Fill in defaults for any missing values.
- */
- if (pa -> num_channels == 0)
- pa -> num_channels = DEFAULT_NUM_CHANNELS;
-
- if (pa -> samples_per_sec == 0)
- pa -> samples_per_sec = DEFAULT_SAMPLES_PER_SEC;
-
- if (pa -> bits_per_sample == 0)
- pa -> bits_per_sample = DEFAULT_BITS_PER_SAMPLE;
-
- for (chan=0; chan mark_freq[chan] == 0)
- pa -> mark_freq[chan] = DEFAULT_MARK_FREQ;
-
- if (pa -> space_freq[chan] == 0)
- pa -> space_freq[chan] = DEFAULT_SPACE_FREQ;
-
- if (pa -> baud[chan] == 0)
- pa -> baud[chan] = DEFAULT_BAUD;
-
- if (pa->num_subchan[chan] == 0)
- pa->num_subchan[chan] = 1;
- }
-
-/*
- * Open audio device.
- */
-
- udp_sock = -1;
-
- inbuf_size_in_bytes = 0;
- inbuf_ptr = NULL;
- inbuf_len = 0;
- inbuf_next = 0;
-
- outbuf_size_in_bytes = 0;
- outbuf_ptr = NULL;
- outbuf_len = 0;
-
-#if USE_ALSA
-
-/*
- * Determine the type of audio input.
- */
- audio_in_type = AUDIO_IN_TYPE_SOUNDCARD;
-
- if (strcasecmp(pa->adevice_in, "stdin") == 0 || strcmp(pa->adevice_in, "-") == 0) {
- audio_in_type = AUDIO_IN_TYPE_STDIN;
- /* Change - to stdin for readability. */
- strcpy (pa->adevice_in, "stdin");
- }
- else if (strncasecmp(pa->adevice_in, "udp:", 4) == 0) {
- audio_in_type = AUDIO_IN_TYPE_SDR_UDP;
- /* Supply default port if none specified. */
- if (strcasecmp(pa->adevice_in,"udp") == 0 ||
- strcasecmp(pa->adevice_in,"udp:") == 0) {
- sprintf (pa->adevice_in, "udp:%d", DEFAULT_UDP_AUDIO_PORT);
- }
- }
-
-/* Let user know what is going on. */
-
- /* If not specified, the device names should be "default". */
-
- strcpy (audio_in_name, pa->adevice_in);
- strcpy (audio_out_name, pa->adevice_out);
-
- text_color_set(DW_COLOR_INFO);
-
- if (strcmp(audio_in_name,audio_out_name) == 0) {
- dw_printf ("Audio device for both receive and transmit: %s\n", audio_in_name);
- }
- else {
- dw_printf ("Audio input device for receive: %s\n", audio_in_name);
- dw_printf ("Audio out device for transmit: %s\n", audio_out_name);
- }
-
-/*
- * Now attempt actual opens.
- */
-
-/*
- * Input device.
- */
- switch (audio_in_type) {
-
-/*
- * Soundcard - ALSA.
- */
- case AUDIO_IN_TYPE_SOUNDCARD:
-
- err = snd_pcm_open (&audio_in_handle, audio_in_name, SND_PCM_STREAM_CAPTURE, 0);
- if (err < 0) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Could not open audio device %s for input\n%s\n",
- audio_in_name, snd_strerror(err));
- return (-1);
- }
-
- inbuf_size_in_bytes = set_alsa_params (audio_in_handle, pa, audio_in_name, "input");
- break;
-
-/*
- * UDP.
- */
- case AUDIO_IN_TYPE_SDR_UDP:
-
- //Create socket and bind socket
-
- {
- struct sockaddr_in si_me;
- int slen=sizeof(si_me);
- int data_size = 0;
-
- //Create UDP Socket
- if ((udp_sock=socket(AF_INET, SOCK_DGRAM, IPPROTO_UDP))==-1) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Couldn't create socket, errno %d\n", errno);
- return -1;
- }
-
- memset((char *) &si_me, 0, sizeof(si_me));
- si_me.sin_family = AF_INET;
- si_me.sin_port = htons((short)atoi(audio_in_name+4));
- si_me.sin_addr.s_addr = htonl(INADDR_ANY);
-
- //Bind to the socket
- if (bind(udp_sock, (const struct sockaddr *) &si_me, sizeof(si_me))==-1) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Couldn't bind socket, errno %d\n", errno);
- return -1;
- }
- }
- inbuf_size_in_bytes = SDR_UDP_BUF_MAXLEN;
-
- break;
-
-/*
- * stdin.
- */
- case AUDIO_IN_TYPE_STDIN:
-
- /* Do we need to adjust any properties of stdin? */
-
- inbuf_size_in_bytes = 1024;
-
- break;
-
- default:
-
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Internal error, invalid audio_in_type\n");
- return (-1);
- }
-
-/*
- * Output device. Only "soundcard" is supported at this time.
- */
- err = snd_pcm_open (&audio_out_handle, audio_out_name, SND_PCM_STREAM_PLAYBACK, 0);
-
- if (err < 0) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Could not open audio device %s for output\n%s\n",
- audio_out_name, snd_strerror(err));
- return (-1);
- }
-
- outbuf_size_in_bytes = set_alsa_params (audio_out_handle, pa, audio_out_name, "output");
-
- if (inbuf_size_in_bytes <= 0 || outbuf_size_in_bytes <= 0) {
- return (-1);
- }
-
-
-
-
-#else /* end of ALSA case */
-
-
-#error OSS support will probably be removed. Complain if you still care about OSS.
-
- oss_audio_device_fd = open (pa->adevice_in, O_RDWR);
-
- if (oss_audio_device_fd < 0) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("%s:\n", pa->adevice_in);
- sprintf (message, "Could not open audio device %s", pa->adevice_in);
- perror (message);
- return (-1);
- }
-
- outbuf_size_in_bytes = inbuf_size_in_bytes = set_oss_params (oss_audio_device_fd, pa);
-
- if (inbuf_size_in_bytes <= 0 || outbuf_size_in_bytes <= 0) {
- return (-1);
- }
-
-
-
-#endif /* end of OSS case */
-
-
-/*
- * Finally allocate buffer for each direction.
- */
- inbuf_ptr = malloc(inbuf_size_in_bytes);
- assert (inbuf_ptr != NULL);
- inbuf_len = 0;
- inbuf_next = 0;
-
- outbuf_ptr = malloc(outbuf_size_in_bytes);
- assert (outbuf_ptr != NULL);
- outbuf_len = 0;
-
- return (0);
-
-} /* end audio_open */
-
-
-
-
-#if USE_ALSA
-
-/*
- * Set parameters for sound card.
- *
- * See ?? for details.
- */
-/*
- * Terminology:
- * Sample - for one channel. e.g. 2 bytes for 16 bit.
- * Frame - one sample for all channels. e.g. 4 bytes for 16 bit stereo
- * Period - size of one transfer.
- */
-
-static int set_alsa_params (snd_pcm_t *handle, struct audio_s *pa, char *devname, char *inout)
-{
-
- snd_pcm_hw_params_t *hw_params;
- snd_pcm_uframes_t fpp; /* Frames per period. */
-
- unsigned int val;
-
- int dir;
- int err;
-
- int buf_size_in_bytes; /* result, number of bytes per transfer. */
-
-
- err = snd_pcm_hw_params_malloc (&hw_params);
- if (err < 0) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Could not alloc hw param structure.\n%s\n",
- snd_strerror(err));
- dw_printf ("for %s %s.\n", devname, inout);
- return (-1);
- }
-
- err = snd_pcm_hw_params_any (handle, hw_params);
- if (err < 0) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Could not init hw param structure.\n%s\n",
- snd_strerror(err));
- dw_printf ("for %s %s.\n", devname, inout);
- return (-1);
- }
-
- /* Interleaved data: L, R, L, R, ... */
-
- err = snd_pcm_hw_params_set_access (handle, hw_params, SND_PCM_ACCESS_RW_INTERLEAVED);
-
- if (err < 0) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Could not set interleaved mode.\n%s\n",
- snd_strerror(err));
- dw_printf ("for %s %s.\n", devname, inout);
- return (-1);
- }
-
- /* Signed 16 bit little endian or unsigned 8 bit. */
-
-
- err = snd_pcm_hw_params_set_format (handle, hw_params,
- pa->bits_per_sample == 8 ? SND_PCM_FORMAT_U8 : SND_PCM_FORMAT_S16_LE);
- if (err < 0) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Could not set bits per sample.\n%s\n",
- snd_strerror(err));
- dw_printf ("for %s %s.\n", devname, inout);
- return (-1);
- }
-
- /* Number of audio channels. */
-
-
- err = snd_pcm_hw_params_set_channels (handle, hw_params, pa->num_channels);
- if (err < 0) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Could not set number of audio channels.\n%s\n",
- snd_strerror(err));
- dw_printf ("for %s %s.\n", devname, inout);
- return (-1);
- }
-
- /* Audio sample rate. */
-
-
- val = pa->samples_per_sec;
-
- dir = 0;
-
-
- err = snd_pcm_hw_params_set_rate_near (handle, hw_params, &val, &dir);
- if (err < 0) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Could not set audio sample rate.\n%s\n",
- snd_strerror(err));
- dw_printf ("for %s %s.\n", devname, inout);
- return (-1);
- }
-
- if (val != pa->samples_per_sec) {
-
- text_color_set(DW_COLOR_INFO);
- dw_printf ("Asked for %d samples/sec but got %d.\n",
-
- pa->samples_per_sec, val);
- dw_printf ("for %s %s.\n", devname, inout);
-
- pa->samples_per_sec = val;
-
- }
-
- /* Guessing around 20 reads/sec might be good. */
- /* Period too long = too much latency. */
- /* Period too short = too much overhead of many small transfers. */
-
- fpp = pa->samples_per_sec / 20;
-
-#if DEBUG
-
- text_color_set(DW_COLOR_DEBUG);
-
-
- dw_printf ("suggest period size of %d frames\n", (int)fpp);
-
-#endif
- dir = 0;
- err = snd_pcm_hw_params_set_period_size_near (handle, hw_params, &fpp, &dir);
-
- if (err < 0) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Could not set period size\n%s\n", snd_strerror(err));
- dw_printf ("for %s %s.\n", devname, inout);
- return (-1);
- }
-
-
-
- err = snd_pcm_hw_params (handle, hw_params);
- if (err < 0) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Could not set hw params\n%s\n", snd_strerror(err));
- dw_printf ("for %s %s.\n", devname, inout);
- return (-1);
- }
-
-
- /* Driver might not like our suggested period size */
- /* and might have another idea. */
-
- err = snd_pcm_hw_params_get_period_size (hw_params, &fpp, NULL);
- if (err < 0) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Could not get audio period size.\n%s\n", snd_strerror(err));
- dw_printf ("for %s %s.\n", devname, inout);
- return (-1);
- }
-
- snd_pcm_hw_params_free (hw_params);
-
- /* A "frame" is one sample for all channels. */
-
- /* The read and write use units of frames, not bytes. */
-
- bytes_per_frame = snd_pcm_frames_to_bytes (handle, 1);
- assert (bytes_per_frame == pa->num_channels * pa->bits_per_sample / 8);
-
-
- buf_size_in_bytes = fpp * bytes_per_frame;
-
-
-#if DEBUG
- text_color_set(DW_COLOR_DEBUG);
- dw_printf ("audio buffer size = %d (bytes per frame) x %d (frames per period) = %d \n", bytes_per_frame, (int)fpp, buf_size_in_bytes);
-#endif
-
- return (buf_size_in_bytes);
-
-
-} /* end alsa_set_params */
-
-
-#else
-
-
-/*
- * Set parameters for sound card. (OSS only)
- *
- * See /usr/include/sys/soundcard.h for details.
- */
-
-static int set_oss_params (int fd, struct audio_s *pa)
-{
- int err;
- int devcaps;
- int asked_for;
- char message[100];
- int ossbuf_size_in_bytes;
-
-
- err = ioctl (fd, SNDCTL_DSP_CHANNELS, &(pa->num_channels));
- if (err == -1) {
- text_color_set(DW_COLOR_ERROR);
- perror("Not able to set audio device number of channels");
- return (-1);
- }
-
- asked_for = pa->samples_per_sec;
-
- err = ioctl (fd, SNDCTL_DSP_SPEED, &(pa->samples_per_sec));
- if (err == -1) {
- text_color_set(DW_COLOR_ERROR);
- perror("Not able to set audio device sample rate");
- return (-1);
- }
-
- if (pa->samples_per_sec != asked_for) {
- text_color_set(DW_COLOR_INFO);
- dw_printf ("Asked for %d samples/sec but actually using %d.\n",
- asked_for, pa->samples_per_sec);
- }
-
- /* This is actually a bit mask but it happens that */
- /* 0x8 is unsigned 8 bit samples and */
- /* 0x10 is signed 16 bit little endian. */
-
- err = ioctl (fd, SNDCTL_DSP_SETFMT, &(pa->bits_per_sample));
- if (err == -1) {
- text_color_set(DW_COLOR_ERROR);
- perror("Not able to set audio device sample size");
- return (-1);
- }
-
-/*
- * Determine capabilities.
- */
- err = ioctl (fd, SNDCTL_DSP_GETCAPS, &devcaps);
- if (err == -1) {
- text_color_set(DW_COLOR_ERROR);
- perror("Not able to get audio device capabilities");
- // Is this fatal? // return (-1);
- }
-
-#if DEBUG
- text_color_set(DW_COLOR_DEBUG);
- dw_printf ("audio_open(): devcaps = %08x\n", devcaps);
- if (devcaps & DSP_CAP_DUPLEX) dw_printf ("Full duplex record/playback.\n");
- if (devcaps & DSP_CAP_BATCH) dw_printf ("Device has some kind of internal buffers which may cause delays.\n");
- if (devcaps & ~ (DSP_CAP_DUPLEX | DSP_CAP_BATCH)) dw_printf ("Others...\n");
-#endif
-
- if (!(devcaps & DSP_CAP_DUPLEX)) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Audio device does not support full duplex\n");
- // Do we care? // return (-1);
- }
-
- err = ioctl (fd, SNDCTL_DSP_SETDUPLEX, NULL);
- if (err == -1) {
- // text_color_set(DW_COLOR_ERROR);
- // perror("Not able to set audio full duplex mode");
- // Unfortunate but not a disaster.
- }
-
-/*
- * Get preferred block size.
- * Presumably this will provide the most efficient transfer.
- *
- * In my particular situation, this turned out to be
- * 2816 for 11025 Hz 16 bit mono
- * 5568 for 11025 Hz 16 bit stereo
- * 11072 for 44100 Hz 16 bit mono
- *
- * Your milage may vary.
- */
- err = ioctl (fd, SNDCTL_DSP_GETBLKSIZE, &ossbuf_size_in_bytes);
- if (err == -1) {
- text_color_set(DW_COLOR_ERROR);
- perror("Not able to get audio block size");
- ossbuf_size_in_bytes = 2048; /* pick something reasonable */
- }
-
-#if DEBUG
- text_color_set(DW_COLOR_DEBUG);
- dw_printf ("audio_open(): suggestd block size is %d\n", ossbuf_size_in_bytes);
-#endif
-
-/*
- * That's 1/8 of a second which seems rather long if we want to
- * respond quickly.
- */
-
- ossbuf_size_in_bytes = calcbufsize(pa->samples_per_sec, pa->num_channels, pa->bits_per_sample);
-
-#if DEBUG
- text_color_set(DW_COLOR_DEBUG);
- dw_printf ("audio_open(): using block size of %d\n", ossbuf_size_in_bytes);
-#endif
-
- assert (ossbuf_size_in_bytes >= 256 && ossbuf_size_in_bytes <= 32768);
-
-
- return (ossbuf_size_in_bytes);
-
-} /* end set_oss_params */
-
-
-#endif
-
-
-
-/*------------------------------------------------------------------
- *
- * Name: audio_get
- *
- * Purpose: Get one byte from the audio device.
- *
- * Returns: 0 - 255 for a valid sample.
- * -1 for any type of error.
- *
- * Description: The caller must deal with the details of mono/stereo
- * and number of bytes per sample.
- *
- * This will wait if no data is currently available.
- *
- *----------------------------------------------------------------*/
-
-// Use hot attribute for all functions called for every audio sample.
-
-__attribute__((hot))
-int audio_get (void)
-{
- int n;
- int retries = 0;
-
-#if STATISTICS
- /* Gather numbers for read from audio device. */
-
- static int duration = 100; /* report every 100 seconds. */
- static time_t last_time = 0;
- time_t this_time;
- static int sample_count;
- static int error_count;
-#endif
-
-#if DEBUGx
- text_color_set(DW_COLOR_DEBUG);
-
- dw_printf ("audio_get():\n");
-
-#endif
-
- assert (inbuf_size_in_bytes >= 100 && inbuf_size_in_bytes <= 32768);
-
-
-#if USE_ALSA
-
- switch (audio_in_type) {
-
-/*
- * Soundcard - ALSA
- */
- case AUDIO_IN_TYPE_SOUNDCARD:
-
- while (inbuf_next >= inbuf_len) {
-
- assert (audio_in_handle != NULL);
-#if DEBUGx
- text_color_set(DW_COLOR_DEBUG);
- dw_printf ("audio_get(): readi asking for %d frames\n", inbuf_size_in_bytes / bytes_per_frame);
-#endif
- n = snd_pcm_readi (audio_in_handle, inbuf_ptr, inbuf_size_in_bytes / bytes_per_frame);
-
-#if DEBUGx
- text_color_set(DW_COLOR_DEBUG);
- dw_printf ("audio_get(): readi asked for %d and got %d frames\n",
- inbuf_size_in_bytes / bytes_per_frame, n);
-#endif
-
-#if STATISTICS
- if (last_time == 0) {
- last_time = time(NULL);
- sample_count = 0;
- error_count = 0;
- }
- else {
- if (n > 0) {
- sample_count += n;
- }
- else {
- error_count++;
- }
- this_time = time(NULL);
- if (this_time >= last_time + duration) {
- text_color_set(DW_COLOR_DEBUG);
- dw_printf ("\nPast %d seconds, %d audio samples, %d errors.\n\n",
- duration, sample_count, error_count);
- last_time = this_time;
- sample_count = 0;
- error_count = 0;
- }
- }
-#endif
-
- if (n > 0) {
-
- /* Success */
-
- inbuf_len = n * bytes_per_frame; /* convert to number of bytes */
- inbuf_next = 0;
- }
- else if (n == 0) {
-
- /* Didn't expect this, but it's not a problem. */
- /* Wait a little while and try again. */
-
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Audio input got zero bytes: %s\n", snd_strerror(n));
- SLEEP_MS(10);
-
- inbuf_len = 0;
- inbuf_next = 0;
- }
- else {
- /* Error */
- // TODO: Needs more study and testing.
-
- // TODO: print n. should snd_strerror use n or errno?
- // Audio input device error: Unknown error
-
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Audio input device error: %s\n", snd_strerror(n));
-
- /* Try to recover a few times and eventually give up. */
- if (++retries > 10) {
- inbuf_len = 0;
- inbuf_next = 0;
- return (-1);
- }
-
- if (n == -EPIPE) {
-
- /* EPIPE means overrun */
-
- snd_pcm_recover (audio_in_handle, n, 1);
-
- }
- else {
- /* Could be some temporary condition. */
- /* Wait a little then try again. */
- /* Sometimes I get "Resource temporarily available" */
- /* when the Update Manager decides to run. */
-
- SLEEP_MS (250);
- snd_pcm_recover (audio_in_handle, n, 1);
- }
- }
- }
- break;
-
-/*
- * UDP.
- */
-
- case AUDIO_IN_TYPE_SDR_UDP:
-
- while (inbuf_next >= inbuf_len) {
- int ch, res,i;
-
- assert (udp_sock > 0);
- res = recv(udp_sock, inbuf_ptr, inbuf_size_in_bytes, 0);
- if (res < 0) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Can't read from udp socket, res=%d", res);
- inbuf_len = 0;
- inbuf_next = 0;
- return (-1);
- }
-
- inbuf_len = res;
- inbuf_next = 0;
- }
- break;
-
-/*
- * stdin.
- */
- case AUDIO_IN_TYPE_STDIN:
-
- while (inbuf_next >= inbuf_len) {
- int ch, res,i;
-
- res = read(STDIN_FILENO, inbuf_ptr, (size_t)inbuf_size_in_bytes);
- if (res <= 0) {
- text_color_set(DW_COLOR_INFO);
- dw_printf ("\nEnd of file on stdin. Exiting.\n");
- exit (0);
- }
-
- inbuf_len = res;
- inbuf_next = 0;
- }
-
- break;
- }
-
-
-
-#else /* end ALSA, begin OSS */
-
- while (audio_in_type == AUDIO_IN_TYPE_SOUNDCARD && inbuf_next >= inbuf_len) {
- assert (oss_audio_device_fd > 0);
- n = read (oss_audio_device_fd, inbuf_ptr, inbuf_size_in_bytes);
- //text_color_set(DW_COLOR_DEBUG);
- // dw_printf ("audio_get(): read %d returns %d\n", inbuf_size_in_bytes, n);
- if (n < 0) {
- text_color_set(DW_COLOR_ERROR);
- perror("Can't read from audio device");
- inbuf_len = 0;
- inbuf_next = 0;
- return (-1);
- }
- inbuf_len = n;
- inbuf_next = 0;
- }
-
-#endif /* USE_ALSA */
-
-
-
- if (inbuf_next < inbuf_len)
- n = inbuf_ptr[inbuf_next++];
- //No data to read, avoid reading outside buffer
- else
- n = 0;
-
-#if DEBUGx
-
- text_color_set(DW_COLOR_DEBUG);
- dw_printf ("audio_get(): returns %d\n", n);
-
-#endif
-
-
- return (n);
-
-} /* end audio_get */
-
-
-/*------------------------------------------------------------------
- *
- * Name: audio_put
- *
- * Purpose: Send one byte to the audio device.
- *
- * Inputs: c - One byte in range of 0 - 255.
- *
- * Returns: Normally non-negative.
- * -1 for any type of error.
- *
- * Description: The caller must deal with the details of mono/stereo
- * and number of bytes per sample.
- *
- * See Also: audio_flush
- * audio_wait
- *
- *----------------------------------------------------------------*/
-
-int audio_put (int c)
-{
- /* Should never be full at this point. */
- assert (outbuf_len < outbuf_size_in_bytes);
-
- outbuf_ptr[outbuf_len++] = c;
-
- if (outbuf_len == outbuf_size_in_bytes) {
- return (audio_flush());
- }
-
- return (0);
-
-} /* end audio_put */
-
-
-/*------------------------------------------------------------------
- *
- * Name: audio_flush
- *
- * Purpose: Push out any partially filled output buffer.
- *
- * Returns: Normally non-negative.
- * -1 for any type of error.
- *
- * See Also: audio_flush
- * audio_wait
- *
- *----------------------------------------------------------------*/
-
-int audio_flush (void)
-{
-#if USE_ALSA
- int k;
- char *psound;
- int retries = 10;
- snd_pcm_status_t *status;
-
- assert (audio_out_handle != NULL);
-
-
-/*
- * Trying to set the automatic start threshold didn't have the desired
- * effect. After the first transmitted packet, they are saved up
- * for a few minutes and then all come out together.
- *
- * "Prepare" it if not already in the running state.
- * We stop it at the end of each transmitted packet.
- */
-
-
- snd_pcm_status_alloca(&status);
-
- k = snd_pcm_status (audio_out_handle, status);
- if (k != 0) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Audio output get status error.\n%s\n", snd_strerror(k));
- }
-
- if ((k = snd_pcm_status_get_state(status)) != SND_PCM_STATE_RUNNING) {
-
- //text_color_set(DW_COLOR_DEBUG);
- //dw_printf ("Audio output state = %d. Try to start.\n", k);
-
- k = snd_pcm_prepare (audio_out_handle);
-
- if (k != 0) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Audio output start error.\n%s\n", snd_strerror(k));
- }
- }
-
-
- psound = outbuf_ptr;
-
- while (retries-- > 0) {
-
- k = snd_pcm_writei (audio_out_handle, psound, outbuf_len / bytes_per_frame);
-#if DEBUG
- text_color_set(DW_COLOR_DEBUG);
- dw_printf ("audio_flush(): snd_pcm_writei %d frames returns %d\n",
- outbuf_len / bytes_per_frame, k);
- fflush (stdout);
-#endif
- if (k == -EPIPE) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Audio output data underrun.\n");
-
- /* No problemo. Recover and go around again. */
-
- snd_pcm_recover (audio_out_handle, k, 1);
- }
- else if (k < 0) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Audio write error: %s\n", snd_strerror(k));
-
- /* Some other error condition. */
- /* Try again. What do we have to lose? */
-
- snd_pcm_recover (audio_out_handle, k, 1);
- }
- else if (k != outbuf_len / bytes_per_frame) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Audio write took %d frames rather than %d.\n",
- k, outbuf_len / bytes_per_frame);
-
- /* Go around again with the rest of it. */
-
- psound += k * bytes_per_frame;
- outbuf_len -= k * bytes_per_frame;
- }
- else {
- /* Success! */
- outbuf_len = 0;
- return (0);
- }
- }
-
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Audio write error retry count exceeded.\n");
-
- outbuf_len = 0;
- return (-1);
-
-#else /* OSS */
-
- int k;
- unsigned char *ptr;
- int len;
-
- ptr = outbuf_ptr;
- len = outbuf_len;
-
- while (len > 0) {
- assert (oss_audio_device_fd > 0);
- k = write (oss_audio_device_fd, ptr, len);
-#if DEBUG
- text_color_set(DW_COLOR_DEBUG);
- dw_printf ("audio_flush(): write %d returns %d\n", len, k);
- fflush (stdout);
-#endif
- if (k < 0) {
- text_color_set(DW_COLOR_ERROR);
- perror("Can't write to audio device");
- outbuf_len = 0;
- return (-1);
- }
- if (k < len) {
- /* presumably full but didn't block. */
- usleep (10000);
- }
- ptr += k;
- len -= k;
- }
-
- outbuf_len = 0;
- return (0);
-#endif
-
-} /* end audio_flush */
-
-
-/*------------------------------------------------------------------
- *
- * Name: audio_wait
- *
- * Purpose: Wait until all the queued up audio out has been played.
- *
- * Inputs: duration - hint at number of milliseconds to wait.
- *
- * Returns: Normally non-negative.
- * -1 for any type of error.
- *
- * Description: In our particular application, we would want to make sure
- * that the entire packet has been sent out before turning
- * off the transmitter PTT control.
- *
- * In an ideal world:
- *
- * We would like to ask the hardware when all the queued
- * up sound has actually come out the speaker.
- * There is an OSS system call for this but it doesn't work
- * on Cygwin. The application crashes at a later time.
- *
- * Haven't yet verified correct operation with ALSA.
- *
- * In reality:
- *
- * Caller does the following:
- *
- * (1) Make note of when PTT is turned on.
- * (2) Calculate how long it will take to transmit the
- * frame including TXDELAY, frame (including
- * "flags", data, FCS and bit stuffing), and TXTAIL.
- * (3) Add (1) and (2) resulting in when PTT should be turned off.
- * (4) Take difference between current time and PPT off time
- * and provide this as the additional delay required.
- *
- *----------------------------------------------------------------*/
-
-int audio_wait (int duration)
-{
- int err = 0;
-
- audio_flush ();
-#if DEBUGx
- text_color_set(DW_COLOR_DEBUG);
- dw_printf ("audio_wait(): before sync, fd=%d\n", oss_audio_device_fd);
-#endif
-
-#if USE_ALSA
-
- //double t_enter, t_leave;
- //int drain_ms;
-
- //t_enter = dtime_now();
-
- /* For playback, this should wait for all pending frames */
- /* to be played and then stop. */
-
- snd_pcm_drain (audio_out_handle);
-
- //t_leave = dtime_now();
- //drain_ms = (int)((t_leave - t_enter) * 1000.);
-
- //text_color_set(DW_COLOR_DEBUG);
- //dw_printf ("audio_wait(): suggested delay = %d ms, actual = %d\n",
- // duration, drain_ms);
-
- /*
- * Experimentation reveals that snd_pcm_drain doesn't
- * actually wait. It returns immediately.
- * However it does serve a useful purpose of stopping
- * the playback after all the queued up data is used.
- *
- * Keep the sleep delay so PTT is not turned off too soon.
- */
-
- if (duration > 0) {
- SLEEP_MS (duration);
- }
-
-#else
-
- assert (oss_audio_device_fd > 0);
-
-
- // This causes a crash later on Cygwin.
- // Haven't tried it on Linux yet.
-
- // err = ioctl (oss_audio_device_fd, SNDCTL_DSP_SYNC, NULL);
-
- if (duration > 0) {
- SLEEP_MS (duration);
- }
-
-#endif
-
-#if DEBUG
- text_color_set(DW_COLOR_DEBUG);
- dw_printf ("audio_wait(): after sync, status=%d\n", err);
-#endif
-
- return (err);
-
-} /* end audio_wait */
-
-
-/*------------------------------------------------------------------
- *
- * Name: audio_close
- *
- * Purpose: Close the audio device.
- *
- * Returns: Normally non-negative.
- * -1 for any type of error.
- *
- *
- *----------------------------------------------------------------*/
-
-int audio_close (void)
-{
- int err = 0;
-
-#if USE_ALSA
- assert (audio_in_handle != NULL);
- assert (audio_out_handle != NULL);
-
- audio_wait (0);
-
- snd_pcm_close (audio_in_handle);
- snd_pcm_close (audio_out_handle);
-
-#else
- assert (oss_audio_device_fd > 0);
-
- audio_wait (0);
-
- close (oss_audio_device_fd);
-
- oss_audio_device_fd = -1;
-#endif
- free (inbuf_ptr);
- free (outbuf_ptr);
-
- inbuf_size_in_bytes = 0;
- inbuf_ptr = NULL;
- inbuf_len = 0;
- inbuf_next = 0;
-
- outbuf_size_in_bytes = 0;
- outbuf_ptr = NULL;
- outbuf_len = 0;
-
- return (err);
-
-} /* end audio_close */
-
-
-/* end audio.c */
-
diff --git a/audio.h b/audio.h
deleted file mode 100644
index a9e25dcc..00000000
--- a/audio.h
+++ /dev/null
@@ -1,208 +0,0 @@
-
-/*------------------------------------------------------------------
- *
- * Module: audio.h
- *
- * Purpose: Interface to audio device commonly called a "sound card."
- *
- *---------------------------------------------------------------*/
-
-
-#ifndef AUDIO_H
-#define AUDIO_H 1
-
-#include "direwolf.h" /* for MAX_CHANS used throughout the application. */
-#include "hdlc_rec2.h" /* for enum retry_e */
-
-
-/*
- * PTT control.
- */
-
-enum ptt_method_e {
- PTT_METHOD_NONE, /* VOX or no transmit. */
- PTT_METHOD_SERIAL, /* Serial port RTS or DTR. */
- PTT_METHOD_GPIO }; /* General purpos I/O. */
-
-typedef enum ptt_method_e ptt_method_t;
-
-enum ptt_line_e { PTT_LINE_RTS = 1, PTT_LINE_DTR = 2 };
-typedef enum ptt_line_e ptt_line_t;
-
-enum audio_in_type_e {
- AUDIO_IN_TYPE_SOUNDCARD,
- AUDIO_IN_TYPE_SDR_UDP,
- AUDIO_IN_TYPE_STDIN };
-
-struct audio_s {
-
- /* Properites of the sound device. */
-
- char adevice_in[80]; /* Name of the audio input device (or file?). */
- /* TODO: Can be "-" to read from stdin. */
-
- char adevice_out[80]; /* Name of the audio output device (or file?). */
-
- int num_channels; /* Should be 1 for mono or 2 for stereo. */
- int samples_per_sec; /* Audio sampling rate. Typically 11025, 22050, or 44100. */
- int bits_per_sample; /* 8 (unsigned char) or 16 (signed short). */
-
- enum audio_in_type_e audio_in_type;
- /* Where is input (receive) audio coming from? */
-
- /* Common to all channels. */
-
- enum retry_e fix_bits; /* Level of effort to recover from */
- /* a bad FCS on the frame. */
-
- /* Properties for each audio channel, common to receive and transmit. */
- /* Can be different for each radio channel. */
-
- enum modem_t {AFSK, NONE, SCRAMBLE} modem_type[MAX_CHANS];
- /* Usual AFSK. */
- /* Baseband signal. */
- /* Scrambled http://www.amsat.org/amsat/articles/g3ruh/109/fig03.gif */
-
- int decimate[MAX_CHANS]; /* Reduce AFSK sample rate by this factor to */
- /* decrease computational requirements. */
-
- int mark_freq[MAX_CHANS]; /* Two tones for AFSK modulation, in Hz. */
- int space_freq[MAX_CHANS]; /* Standard tones are 1200 and 2200 for 1200 baud. */
-
- int baud[MAX_CHANS]; /* Data bits (more accurately, symbols) per second. */
- /* Standard rates are 1200 for VHF and 300 for HF. */
-
- char profiles[MAX_CHANS][16]; /* 1 or more of ABC etc. */
-
- int num_freq[MAX_CHANS]; /* Number of different frequency pairs for decoders. */
-
- int offset[MAX_CHANS]; /* Spacing between filter frequencies. */
-
- int num_subchan[MAX_CHANS]; /* Total number of modems / hdlc decoders for each channel. */
- /* Potentially it could be product of strlen(profiles) * num_freq. */
- /* Currently can't use both at once. */
-
-
- /* Additional properties for transmit. */
-
- ptt_method_t ptt_method[MAX_CHANS]; /* serial port or GPIO. */
-
- char ptt_device[MAX_CHANS][20]; /* Serial device name for PTT. e.g. COM1 or /dev/ttyS0 */
-
- ptt_line_t ptt_line[MAX_CHANS]; /* Control line wehn using serial port. */
- /* PTT_RTS, PTT_DTR. */
-
- int ptt_gpio[MAX_CHANS]; /* GPIO number. */
-
- int ptt_invert[MAX_CHANS]; /* Invert the output. */
-
- int slottime[MAX_CHANS]; /* Slot time in 10 mS units for persistance algorithm. */
- /* Typical value is 10 meaning 100 milliseconds. */
-
- int persist[MAX_CHANS]; /* Sets probability for transmitting after each */
- /* slot time delay. Transmit if a random number */
- /* in range of 0 - 255 <= persist value. */
- /* Otherwise wait another slot time and try again. */
- /* Default value is 63 for 25% probability. */
-
- int txdelay[MAX_CHANS]; /* After turning on the transmitter, */
- /* send "flags" for txdelay * 10 mS. */
- /* Default value is 30 meaning 300 milliseconds. */
-
- int txtail[MAX_CHANS]; /* Amount of time to keep transmitting after we */
- /* are done sending the data. This is to avoid */
- /* dropping PTT too soon and chopping off the end */
- /* of the frame. Again 10 mS units. */
- /* At this point, I'm thinking of 10 as the default. */
-};
-
-#if __WIN32__
-#define DEFAULT_ADEVICE "" /* Windows: Empty string = default audio device. */
-#else
-#if USE_ALSA
-#define DEFAULT_ADEVICE "default" /* Use default device for ALSA. */
-#else
-#define DEFAULT_ADEVICE "/dev/dsp" /* First audio device for OSS. */
-#endif
-#endif
-
-
-/*
- * UDP audio receiving port. Couldn't find any standard or usage precedent.
- * Got the number from this example: http://gqrx.dk/doc/streaming-audio-over-udp
- * Any better suggestions?
- */
-
-#define DEFAULT_UDP_AUDIO_PORT 7355
-
-
-// Maximum size of the UDP buffer (for allowing IP routing, udp packets are often limited to 1472 bytes)
-
-#define SDR_UDP_BUF_MAXLEN 2000
-
-
-
-#define DEFAULT_NUM_CHANNELS 1
-#define DEFAULT_SAMPLES_PER_SEC 44100 /* Very early observations. Might no longer be valid. */
- /* 22050 works a lot better than 11025. */
- /* 44100 works a little better than 22050. */
- /* If you have a reasonable machine, use the highest rate. */
-#define MIN_SAMPLES_PER_SEC 8000
-#define MAX_SAMPLES_PER_SEC 48000 /* Formerly 44100. */
- /* Software defined radio often uses 48000. */
-
-#define DEFAULT_BITS_PER_SAMPLE 16
-
-#define DEFAULT_FIX_BITS RETRY_SINGLE
-
-/*
- * Standard for AFSK on VHF FM.
- * Reversing mark and space makes no difference because
- * NRZI encoding only cares about change or lack of change
- * between the two tones.
- *
- * HF SSB uses 300 baud and 200 Hz shift.
- * 1600 & 1800 Hz is a popular tone pair, sometimes
- * called the KAM tones.
- */
-
-#define DEFAULT_MARK_FREQ 1200
-#define DEFAULT_SPACE_FREQ 2200
-#define DEFAULT_BAUD 1200
-
-
-
-/*
- * Typical transmit timings for VHF.
- */
-
-#define DEFAULT_SLOTTIME 10
-#define DEFAULT_PERSIST 63
-#define DEFAULT_TXDELAY 30
-#define DEFAULT_TXTAIL 10 /* not sure yet. */
-
-
-/*
- * Note that we have two versions of these in audio.c and audio_win.c.
- * Use one or the other depending on the platform.
- */
-
-
-int audio_open (struct audio_s *pa);
-
-int audio_get (void);
-
-int audio_put (int c);
-
-int audio_flush (void);
-
-int audio_wait (int duration);
-
-int audio_close (void);
-
-
-#endif /* ifdef AUDIO_H */
-
-
-/* end audio.h */
-
diff --git a/audio_win.c b/audio_win.c
deleted file mode 100644
index 56a26788..00000000
--- a/audio_win.c
+++ /dev/null
@@ -1,1044 +0,0 @@
-
-#define DEBUGUDP 1
-
-
-//
-// This file is part of Dire Wolf, an amateur radio packet TNC.
-//
-// Copyright (C) 2011,2012,2013 John Langner, WB2OSZ
-//
-// This program is free software: you can redistribute it and/or modify
-// it under the terms of the GNU General Public License as published by
-// the Free Software Foundation, either version 2 of the License, or
-// (at your option) any later version.
-//
-// This program is distributed in the hope that it will be useful,
-// but WITHOUT ANY WARRANTY; without even the implied warranty of
-// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
-// GNU General Public License for more details.
-//
-// You should have received a copy of the GNU General Public License
-// along with this program. If not, see .
-//
-
-
-/*------------------------------------------------------------------
- *
- * Module: audio.c
- *
- * Purpose: Interface to audio device commonly called a "sound card" for
- * historical reasons.
- *
- *
- * This version uses the native Windows sound interface.
- *
- * Credits: Fabrice FAURE contributed Linux code for the SDR UDP interface.
- *
- * Discussion here: http://gqrx.dk/doc/streaming-audio-over-udp
- *
- *---------------------------------------------------------------*/
-
-
-#include
-#include
-#include
-#include
-#include
-#include
-#include
-#include
-
-#include
-#include
-
-#ifndef WAVE_FORMAT_96M16
-#define WAVE_FORMAT_96M16 0x40000
-#define WAVE_FORMAT_96S16 0x80000
-#endif
-
-#include
-#define _WIN32_WINNT 0x0501
-#include
-
-
-#include "direwolf.h"
-#include "audio.h"
-#include "textcolor.h"
-#include "ptt.h"
-
-
-
-/*
- * Allocate enough buffers for 1 second each direction.
- * Each buffer size is a trade off between being responsive
- * to activity on the channel vs. overhead of having too
- * many little transfers.
- */
-
-#define TOTAL_BUF_TIME 1000
-#define ONE_BUF_TIME 40
-
-#define NUM_IN_BUF ((TOTAL_BUF_TIME)/(ONE_BUF_TIME))
-#define NUM_OUT_BUF ((TOTAL_BUF_TIME)/(ONE_BUF_TIME))
-
-static enum audio_in_type_e audio_in_type;
-
-/*
- * UDP socket for receiving audio stream.
- * Buffer, length, and pointer for UDP or stdin.
- */
-
-static SOCKET udp_sock;
-static char stream_data[SDR_UDP_BUF_MAXLEN];
-static int stream_len;
-static int stream_next;
-
-
-#define roundup1k(n) (((n) + 0x3ff) & ~0x3ff)
-#define calcbufsize(rate,chans,bits) roundup1k( ( (rate)*(chans)*(bits) / 8 * ONE_BUF_TIME)/1000 )
-
-
-/* For sound output. */
-/* out_wavehdr.dwUser is used to keep track of output buffer state. */
-
-#define DWU_FILLING 1 /* Ready to use or in process of being filled. */
-#define DWU_PLAYING 2 /* Was given to sound system for playing. */
-#define DWU_DONE 3 /* Sound system is done with it. */
-
-static HWAVEOUT audio_out_handle = 0;
-
-static volatile WAVEHDR out_wavehdr[NUM_OUT_BUF];
-static int out_current; /* index to above. */
-static int outbuf_size;
-
-
-/* For sound input. */
-/* In this case dwUser is index of next available byte to remove. */
-
-static HWAVEIN audio_in_handle = 0;
-static WAVEHDR in_wavehdr[NUM_IN_BUF];
-static volatile WAVEHDR *in_headp; /* head of queue to process. */
-static CRITICAL_SECTION in_cs;
-
-
-
-
-
-
-
-/*------------------------------------------------------------------
- *
- * Name: print_capabilities
- *
- * Purpose: Display capabilities of the available audio devices.
- *
- * Example:
- *
- *
- * Available audio input devices for receive (*=selected):
- * 0: Microphone (Realtek High Defini mono: 11 22 44 96 stereo: 11 22 44 96
- * 1: Microphone (Bluetooth SCO Audio mono: 11 22 44 96 stereo: 11 22 44 96
- * 2: Microphone (Bluetooth AV Audio) mono: 11 22 44 96 stereo: 11 22 44 96
- * 3: Microphone (USB PnP Sound Devic mono: 11 22 44 96 stereo: 11 22 44 96
- * Available audio output devices for transmit (*=selected):
- * 0: Speakers (Realtek High Definiti mono: 11 22 44 96 stereo: 11 22 44 96
- * 1: Speakers (Bluetooth SCO Audio) mono: 11 22 44 96 stereo: 11 22 44 96
- * 2: Realtek Digital Output (Realtek mono: 11 22 44 96 stereo: 11 22 44 96
- * 3: Realtek Digital Output(Optical) mono: 11 22 44 96 stereo: 11 22 44 96
- * 4: Speakers (Bluetooth AV Audio) mono: 11 22 44 96 stereo: 11 22 44 96
- * 5: Speakers (USB PnP Sound Device) mono: 11 22 44 96 stereo: 11 22 44 96
- *
- *
- * History: Removed in version 0.9.
- *
- * Post Mortem discussion:
- *
- * It turns out to be quite bogus and perhaps deceiving.
- *
- * The chip (http://www.szlnst.com/Uploadfiles/HS100.pdf) in the cheap
- * USB Audio device is physically capable of only 44.1 and 48 KHz
- * sampling rates. Input is mono only. Output is stereo only.
- * There is discussion of this in the Raspberry Pi document.
- *
- * Here, it looks like it has much more general capabilities.
- * It seems the audio system puts some virtual layer on top of
- * it to provide resampling for different rates and silent
- * right channel for stereo input.
- *
- *
- *----------------------------------------------------------------*/
-
-#if 0
-static void print_capabilities (DWORD formats)
-{
- dw_printf (" mono:");
- dw_printf ("%s", (formats & WAVE_FORMAT_1M16) ? " 11" : " ");
- dw_printf ("%s", (formats & WAVE_FORMAT_2M16) ? " 22" : " ");
- dw_printf ("%s", (formats & WAVE_FORMAT_4M16) ? " 44" : " ");
- dw_printf ("%s", (formats & WAVE_FORMAT_96M16) ? " 96" : " ");
-
- dw_printf (" stereo:");
- dw_printf ("%s", (formats & WAVE_FORMAT_1S16) ? " 11" : " ");
- dw_printf ("%s", (formats & WAVE_FORMAT_2S16) ? " 22" : " ");
- dw_printf ("%s", (formats & WAVE_FORMAT_4S16) ? " 44" : " ");
- dw_printf ("%s", (formats & WAVE_FORMAT_96S16) ? " 96" : " ");
-}
-#endif
-
-
-
-/*------------------------------------------------------------------
- *
- * Name: audio_open
- *
- * Purpose: Open the digital audio device.
- *
- * New in version 1.0, we recognize "udp:" optionally
- * followed by a port number.
- *
- * Inputs: pa - Address of structure of type audio_s.
- *
- * Using a structure, rather than separate arguments
- * seemed to make sense because we often pass around
- * the same set of parameters various places.
- *
- * The fields that we care about are:
- * num_channels
- * samples_per_sec
- * bits_per_sample
- * If zero, reasonable defaults will be provided.
- *
- * Outputs: pa - The ACTUAL values are returned here.
- *
- * The Linux version adjusts strange values to the
- * nearest valid value. Don't know, yet, if Windows
- * does the same or just fails. Or performs some
- * expensive resampling from a rate supported by
- * hardware.
- *
- * These might not be exactly the same as what was requested.
- *
- * Example: ask for stereo, 16 bits, 22050 per second.
- * An ordinary desktop/laptop PC should be able to handle this.
- * However, some other sort of smaller device might be
- * more restrictive in its capabilities.
- * It might say, the best I can do is mono, 8 bit, 8000/sec.
- *
- * The sofware modem must use this ACTUAL information
- * that the device is supplying, that could be different
- * than what the user specified.
- *
- * Returns: 0 for success, -1 for failure.
- *
- * References: Multimedia Reference
- *
- * http://msdn.microsoft.com/en-us/library/windows/desktop/dd743606%28v=vs.85%29.aspx
- *
- *----------------------------------------------------------------*/
-
-
-static void CALLBACK in_callback (HWAVEIN handle, UINT msg, DWORD instance, DWORD param1, DWORD param2);
-static void CALLBACK out_callback (HWAVEOUT handle, UINT msg, DWORD instance, DWORD param1, DWORD param2);
-
-int audio_open (struct audio_s *pa)
-{
- int err;
- int chan;
- int n;
- int in_dev_no;
- int out_dev_no;
-
- WAVEFORMATEX wf;
-
- int num_devices;
- WAVEINCAPS wic;
- WAVEOUTCAPS woc;
-
- assert (audio_in_handle == 0);
- assert (audio_out_handle == 0);
-
-
-/*
- * Fill in defaults for any missing values.
- */
- if (pa -> num_channels == 0)
- pa -> num_channels = DEFAULT_NUM_CHANNELS;
-
- if (pa -> samples_per_sec == 0)
- pa -> samples_per_sec = DEFAULT_SAMPLES_PER_SEC;
-
- if (pa -> bits_per_sample == 0)
- pa -> bits_per_sample = DEFAULT_BITS_PER_SAMPLE;
-
- for (chan=0; chan mark_freq[chan] == 0)
- pa -> mark_freq[chan] = DEFAULT_MARK_FREQ;
-
- if (pa -> space_freq[chan] == 0)
- pa -> space_freq[chan] = DEFAULT_SPACE_FREQ;
-
- if (pa -> baud[chan] == 0)
- pa -> baud[chan] = DEFAULT_BAUD;
-
- if (pa->num_subchan[chan] == 0)
- pa->num_subchan[chan] = 1;
- }
-
- wf.wFormatTag = WAVE_FORMAT_PCM;
- wf.nChannels = pa -> num_channels;
- wf.nSamplesPerSec = pa -> samples_per_sec;
- wf.wBitsPerSample = pa -> bits_per_sample;
- wf.nBlockAlign = (wf.wBitsPerSample / 8) * wf.nChannels;
- wf.nAvgBytesPerSec = wf.nBlockAlign * wf.nSamplesPerSec;
- wf.cbSize = 0;
-
- outbuf_size = calcbufsize(wf.nSamplesPerSec,wf.nChannels,wf.wBitsPerSample);
-
-
- udp_sock = INVALID_SOCKET;
-
- in_dev_no = WAVE_MAPPER; /* = -1 */
- out_dev_no = WAVE_MAPPER;
-
-/*
- * Determine the type of audio input and select device.
- */
-
- if (strcasecmp(pa->adevice_in, "stdin") == 0 || strcmp(pa->adevice_in, "-") == 0) {
- audio_in_type = AUDIO_IN_TYPE_STDIN;
- /* Change - to stdin for readability. */
- strcpy (pa->adevice_in, "stdin");
- }
- else if (strncasecmp(pa->adevice_in, "udp:", 4) == 0) {
- audio_in_type = AUDIO_IN_TYPE_SDR_UDP;
- /* Supply default port if none specified. */
- if (strcasecmp(pa->adevice_in,"udp") == 0 ||
- strcasecmp(pa->adevice_in,"udp:") == 0) {
- sprintf (pa->adevice_in, "udp:%d", DEFAULT_UDP_AUDIO_PORT);
- }
- }
- else {
- audio_in_type = AUDIO_IN_TYPE_SOUNDCARD;
-
- /* Does config file have a number? */
- /* If so, it is an index into list of devices. */
-
- if (strlen(pa->adevice_in) == 1 && isdigit(pa->adevice_in[0])) {
- in_dev_no = atoi(pa->adevice_in);
- }
-
- /* Otherwise, does it have search string? */
-
- if (in_dev_no == WAVE_MAPPER && strlen(pa->adevice_in) >= 1) {
- num_devices = waveInGetNumDevs();
- for (n=0 ; nadevice_in) != NULL) {
- in_dev_no = n;
- }
- }
- }
- if (in_dev_no == WAVE_MAPPER) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("\"%s\" doesn't match any of the input devices.\n", pa->adevice_in);
- }
- }
- }
-
-/*
- * Select output device.
- */
- if (strlen(pa->adevice_out) == 1 && isdigit(pa->adevice_out[0])) {
- out_dev_no = atoi(pa->adevice_out);
- }
-
- if (out_dev_no == WAVE_MAPPER && strlen(pa->adevice_out) >= 1) {
- num_devices = waveOutGetNumDevs();
- for (n=0 ; nadevice_out) != NULL) {
- out_dev_no = n;
- }
- }
- }
- if (out_dev_no == WAVE_MAPPER) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("\"%s\" doesn't match any of the output devices.\n", pa->adevice_out);
- }
- }
-
-
-/*
- * Display what is available and anything selected.
- */
- text_color_set(DW_COLOR_INFO);
- dw_printf ("Available audio input devices for receive (*=selected):\n");
-
- num_devices = waveInGetNumDevs();
- if (in_dev_no < -1 || in_dev_no >= num_devices) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Invalid input (receive) audio device number %d.\n", in_dev_no);
- in_dev_no = WAVE_MAPPER;
- }
- text_color_set(DW_COLOR_INFO);
- for (n=0; nadevice_in);
- }
-
- dw_printf ("Available audio output devices for transmit (*=selected):\n");
-
- /* TODO? */
- /* No "*" is currently displayed when using the default device. */
- /* Should we put "*" next to the default device when using it? */
- /* Which is the default? The first one? */
-
- num_devices = waveOutGetNumDevs();
- if (out_dev_no < -1 || out_dev_no >= num_devices) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Invalid output (transmit) audio device number %d.\n", out_dev_no);
- out_dev_no = WAVE_MAPPER;
- }
- text_color_set(DW_COLOR_INFO);
- for (n=0; nadevice_in + 4));
- si_me.sin_addr.s_addr = htonl(INADDR_ANY);
-
- // Bind to the socket
-
- if (bind(udp_sock, (SOCKADDR *) &si_me, sizeof(si_me)) != 0) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Couldn't bind socket, errno %d\n", WSAGetLastError());
- return -1;
- }
- stream_next= 0;
- stream_len = 0;
- }
-
- break;
-
-/*
- * stdin.
- */
- case AUDIO_IN_TYPE_STDIN:
-
- setmode (STDIN_FILENO, _O_BINARY);
- stream_next= 0;
- stream_len = 0;
-
- break;
-
- default:
-
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Internal error, invalid audio_in_type\n");
- return (-1);
- }
-
- return (0);
-
-} /* end audio_open */
-
-
-
-/*
- * Called when input audio block is ready.
- */
-
-static void CALLBACK in_callback (HWAVEIN handle, UINT msg, DWORD instance, DWORD param1, DWORD param2)
-{
- if (msg == WIM_DATA) {
-
- WAVEHDR *p = (WAVEHDR*)param1;
-
- p->dwUser = -1; /* needs to be unprepared. */
- p->lpNext = NULL;
-
- EnterCriticalSection (&in_cs);
-
- if (in_headp == NULL) {
- in_headp = p; /* first one in list */
- }
- else {
- WAVEHDR *last = (WAVEHDR*)in_headp;
-
- while (last->lpNext != NULL) {
- last = last->lpNext;
- }
- last->lpNext = p; /* append to last one */
- }
-
- LeaveCriticalSection (&in_cs);
- }
-}
-
-/*
- * Called when output system is done with a block and it
- * is again available for us to fill.
- */
-
-
-static void CALLBACK out_callback (HWAVEOUT handle, UINT msg, DWORD instance, DWORD param1, DWORD param2)
-{
- if (msg == WOM_DONE) {
-
- WAVEHDR *p = (WAVEHDR*)param1;
-
- p->dwBufferLength = 0;
- p->dwUser = DWU_DONE;
- }
-}
-
-
-/*------------------------------------------------------------------
- *
- * Name: audio_get
- *
- * Purpose: Get one byte from the audio device.
- *
- * Returns: 0 - 255 for a valid sample.
- * -1 for any type of error.
- *
- * Description: The caller must deal with the details of mono/stereo
- * and number of bytes per sample.
- *
- * This will wait if no data is currently available.
- *
- *----------------------------------------------------------------*/
-
-// Use hot attribute for all functions called for every audio sample.
-
-__attribute__((hot))
-int audio_get (void)
-{
- WAVEHDR *p;
- int n;
- int sample;
-
-#if DEBUGUDP
- /* Gather numbers for read from UDP stream. */
-
- static int duration = 100; /* report every 100 seconds. */
- static time_t last_time = 0;
- time_t this_time;
- static int sample_count;
- static int error_count;
-#endif
-
- switch (audio_in_type) {
-
-/*
- * Soundcard.
- */
- case AUDIO_IN_TYPE_SOUNDCARD:
-
- while (1) {
-
- /*
- * Wait if nothing available.
- * Could use an event to wake up but this is adequate.
- */
- int timeout = 25;
-
- while (in_headp == NULL) {
- SLEEP_MS (ONE_BUF_TIME / 5);
- timeout--;
- if (timeout <= 0) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Audio input failure.\n");
- return (-1);
- }
- }
-
- p = (WAVEHDR*)in_headp; /* no need to be volatile at this point */
-
- if (p->dwUser == -1) {
- waveInUnprepareHeader(audio_in_handle, p, sizeof(WAVEHDR));
- p->dwUser = 0; /* Index for next byte. */
- }
-
- if (p->dwUser < p->dwBytesRecorded) {
- n = ((unsigned char*)(p->lpData))[p->dwUser++];
-#if DEBUGx
-
- text_color_set(DW_COLOR_DEBUG);
- dw_printf ("audio_get(): returns %d\n", n);
-
-#endif
- return (n);
- }
- /*
- * Buffer is all used up. Give it back to sound input system.
- */
-
- EnterCriticalSection (&in_cs);
- in_headp = p->lpNext;
- LeaveCriticalSection (&in_cs);
-
- p->dwFlags = 0;
- waveInPrepareHeader(audio_in_handle, p, sizeof(WAVEHDR));
- waveInAddBuffer(audio_in_handle, p, sizeof(WAVEHDR));
- }
- break;
-/*
- * UDP.
- */
- case AUDIO_IN_TYPE_SDR_UDP:
-
- while (stream_next >= stream_len) {
- int res;
-
- assert (udp_sock > 0);
-
- res = recv (udp_sock, stream_data, SDR_UDP_BUF_MAXLEN, 0);
- if (res <= 0) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Can't read from udp socket, errno %d", WSAGetLastError());
- stream_len = 0;
- stream_next = 0;
- return (-1);
- }
-
-#if DEBUGUDP
- if (last_time == 0) {
- last_time = time(NULL);
- sample_count = 0;
- error_count = 0;
- }
- else {
- if (res > 0) {
- sample_count += res/2;
- }
- else {
- error_count++;
- }
- this_time = time(NULL);
- if (this_time >= last_time + duration) {
- text_color_set(DW_COLOR_DEBUG);
- dw_printf ("\nPast %d seconds, %d audio samples, %d errors.\n\n",
- duration, sample_count, error_count);
- last_time = this_time;
- sample_count = 0;
- error_count = 0;
- }
- }
-#endif
- stream_len = res;
- stream_next = 0;
- }
- sample = stream_data[stream_next] & 0xff;
- stream_next++;
- return (sample);
- break;
-/*
- * stdin.
- */
- case AUDIO_IN_TYPE_STDIN:
-
- while (stream_next >= stream_len) {
- int res;
-
- res = read(STDIN_FILENO, stream_data, 1024);
- if (res <= 0) {
- text_color_set(DW_COLOR_INFO);
- dw_printf ("\nEnd of file on stdin. Exiting.\n");
- exit (0);
- }
-
- stream_len = res;
- stream_next = 0;
- }
- return (stream_data[stream_next++] & 0xff);
- break;
- }
-
- return (-1);
-
-} /* end audio_get */
-
-
-/*------------------------------------------------------------------
- *
- * Name: audio_put
- *
- * Purpose: Send one byte to the audio device.
- *
- * Inputs: c - One byte in range of 0 - 255.
- *
- *
- * Global In: out_current - index of output buffer currenly being filled.
- *
- * Returns: Normally non-negative.
- * -1 for any type of error.
- *
- * Description: The caller must deal with the details of mono/stereo
- * and number of bytes per sample.
- *
- * See Also: audio_flush
- * audio_wait
- *
- *----------------------------------------------------------------*/
-
-int audio_put (int c)
-{
- WAVEHDR *p;
-
-/*
- * Wait if no buffers are available.
- * Don't use p yet because compiler might might consider dwFlags a loop invariant.
- */
-
- int timeout = 10;
- while ( out_wavehdr[out_current].dwUser == DWU_PLAYING) {
- SLEEP_MS (ONE_BUF_TIME);
- timeout--;
- if (timeout <= 0) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Audio output failure waiting for buffer.\n");
- ptt_term ();
- return (-1);
- }
- }
-
- p = (LPWAVEHDR)(&(out_wavehdr[out_current]));
-
- if (p->dwUser == DWU_DONE) {
- waveOutUnprepareHeader (audio_out_handle, p, sizeof(WAVEHDR));
- p->dwBufferLength = 0;
- p->dwUser = DWU_FILLING;
- }
-
- /* Should never be full at this point. */
-
- assert (p->dwBufferLength >= 0);
- assert (p->dwBufferLength < outbuf_size);
-
- p->lpData[p->dwBufferLength++] = c;
-
- if (p->dwBufferLength == outbuf_size) {
- return (audio_flush());
- }
-
- return (0);
-
-} /* end audio_put */
-
-
-/*------------------------------------------------------------------
- *
- * Name: audio_flush
- *
- * Purpose: Send current buffer to the audio output system.
- *
- * Returns: Normally non-negative.
- * -1 for any type of error.
- *
- * See Also: audio_flush
- * audio_wait
- *
- *----------------------------------------------------------------*/
-
-int audio_flush (void)
-{
- WAVEHDR *p;
- MMRESULT e;
-
-
- p = (LPWAVEHDR)(&(out_wavehdr[out_current]));
-
- if (p->dwUser == DWU_FILLING && p->dwBufferLength > 0) {
-
- p->dwUser = DWU_PLAYING;
-
- waveOutPrepareHeader(audio_out_handle, p, sizeof(WAVEHDR));
-
- e = waveOutWrite(audio_out_handle, p, sizeof(WAVEHDR));
- if (e != MMSYSERR_NOERROR) {
- text_color_set (DW_COLOR_ERROR);
- dw_printf ("audio out write error %d\n", e);
-
- /* I don't expect this to ever happen but if it */
- /* does, make the buffer available for filling. */
-
- p->dwUser = DWU_DONE;
- return (-1);
- }
- out_current = (out_current + 1) % NUM_OUT_BUF;
- }
- return (0);
-
-} /* end audio_flush */
-
-
-/*------------------------------------------------------------------
- *
- * Name: audio_wait
- *
- * Purpose: Wait until all the queued up audio out has been played.
- *
- * Inputs: duration - hint at number of milliseconds to wait.
- *
- * Returns: Normally non-negative.
- * -1 for any type of error.
- *
- * Description: In our particular application, we want to make sure
- * that the entire packet has been sent out before turning
- * off the transmitter PTT control.
- *
- * In an ideal world:
- *
- * We would like to ask the hardware when all the queued
- * up sound has actually come out the speaker.
- *
- * The original implementation (on Cygwin) tried using:
- *
- * ioctl (audio_device_fd, SNDCTL_DSP_SYNC, NULL);
- *
- * but this caused the application to crash at a later time.
- *
- * This might be revisited someday for the Windows version,
- * but for now, we continue to use the work-around because it
- * works fine.
- *
- * In reality:
- *
- * Caller does the following:
- *
- * (1) Make note of when PTT is turned on.
- * (2) Calculate how long it will take to transmit the
- * frame including TXDELAY, frame (including
- * "flags", data, FCS and bit stuffing), and TXTAIL.
- * (3) Add (1) and (2) resulting in when PTT should be turned off.
- * (4) Take difference between current time and PPT off time
- * and provide this as the additional delay required.
- *
- *----------------------------------------------------------------*/
-
-int audio_wait (int duration)
-{
- int err = 0;
-
- audio_flush ();
-#if DEBUG
- text_color_set(DW_COLOR_DEBUG);
- dw_printf ("audio_wait(): before sync, fd=%d\n", audio_device_fd);
-#endif
-
-
- if (duration > 0) {
- SLEEP_MS (duration);
- }
-
-#if DEBUG
- text_color_set(DW_COLOR_DEBUG);
- dw_printf ("audio_wait(): after sync, status=%d\n", err);
-#endif
-
- return (err);
-
-} /* end audio_wait */
-
-
-/*------------------------------------------------------------------
- *
- * Name: audio_close
- *
- * Purpose: Close the audio device.
- *
- * Returns: Normally non-negative.
- * -1 for any type of error.
- *
- *
- *----------------------------------------------------------------*/
-
-int audio_close (void)
-{
- int err = 0;
-
- int n;
-
-
- assert (audio_in_handle != 0);
- assert (audio_out_handle != 0);
-
- audio_wait (0);
-
-/* Shutdown audio input. */
-
- waveInReset(audio_in_handle);
- waveInStop(audio_in_handle);
- waveInClose(audio_in_handle);
- audio_in_handle = 0;
-
- for (n = 0; n < NUM_IN_BUF; n++) {
-
- waveInUnprepareHeader (audio_in_handle, (LPWAVEHDR)(&(in_wavehdr[n])), sizeof(WAVEHDR));
- in_wavehdr[n].dwFlags = 0;
- free (in_wavehdr[n].lpData);
- in_wavehdr[n].lpData = NULL;
- }
-
- DeleteCriticalSection (&in_cs);
-
-
-/* Make sure all output buffers have been played then free them. */
-
- for (n = 0; n < NUM_OUT_BUF; n++) {
- if (out_wavehdr[n].dwUser == DWU_PLAYING) {
-
- int timeout = 2 * NUM_OUT_BUF;
- while (out_wavehdr[n].dwUser == DWU_PLAYING) {
- SLEEP_MS (ONE_BUF_TIME);
- timeout--;
- if (timeout <= 0) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Audio output failure on close.\n");
- }
- }
-
- waveOutUnprepareHeader (audio_out_handle, (LPWAVEHDR)(&(out_wavehdr[n])), sizeof(WAVEHDR));
-
- out_wavehdr[n].dwUser = DWU_DONE;
- }
- free (out_wavehdr[n].lpData);
- out_wavehdr[n].lpData = NULL;
- }
-
- waveOutClose (audio_out_handle);
- audio_out_handle = 0;
-
- return (err);
-
-} /* end audio_close */
-
-/* end audio_win.c */
-
diff --git a/ax25_pad.c b/ax25_pad.c
deleted file mode 100644
index 247e6303..00000000
--- a/ax25_pad.c
+++ /dev/null
@@ -1,1722 +0,0 @@
-// TODO: Shouldn't this be using dw_printf???
-
-
-//
-// This file is part of Dire Wolf, an amateur radio packet TNC.
-//
-// Copyright (C) 2011,2013 John Langner, WB2OSZ
-//
-// This program is free software: you can redistribute it and/or modify
-// it under the terms of the GNU General Public License as published by
-// the Free Software Foundation, either version 2 of the License, or
-// (at your option) any later version.
-//
-// This program is distributed in the hope that it will be useful,
-// but WITHOUT ANY WARRANTY; without even the implied warranty of
-// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
-// GNU General Public License for more details.
-//
-// You should have received a copy of the GNU General Public License
-// along with this program. If not, see .
-//
-
-
-/*------------------------------------------------------------------
- *
- * Name: ax25_pad
- *
- * Purpose: Packet assembler and disasembler.
- *
- * We can obtain AX.25 packets from different sources:
- *
- * (a) from an HDLC frame.
- * (b) from text representation.
- * (c) built up piece by piece.
- *
- * We also want to use a packet in different ways:
- *
- * (a) transmit as an HDLC frame.
- * (b) print in human-readable text.
- * (c) take it apart piece by piece.
- *
- * Looking at the more general case, we might want to modify
- * an existing packet. For instance an APRS repeater might
- * want to change "WIDE2-2" to "WIDE2-1" and retransmit it.
- *
- *
- * Description:
- *
- *
- * A UI frame starts with 2-10 addressses (14-70 octets):
- *
- * * Destination Address
- * * Source Address
- * * 0-8 Digipeater Addresses (Could there ever be more as a result of
- * digipeaters inserting their own call
- * and decrementing the remaining count in
- * WIDEn-n, TRACEn-n, etc.?
- * NO. The limit is 8 when transmitting AX.25 over the radio.
- * However, communication with an IGate server
- * could have a longer VIA path but that is in text form.)
- *
- * Each address is composed of:
- *
- * * 6 upper case letters or digits, blank padded.
- * These are shifted left one bit, leaving the the LSB always 0.
- * * a 7th octet containing the SSID and flags.
- * The LSB is always 0 except for the last octet of the address field.
- *
- * The final octet of the Destination has the form:
- *
- * C R R SSID 0, where,
- *
- * C = command/response = 1
- * R R = Reserved = 1 1
- * SSID = substation ID
- * 0 = zero
- *
- * The final octet of the Source has the form:
- *
- * C R R SSID 0, where,
- *
- * C = command/response = 1
- * R R = Reserved = 1 1
- * SSID = substation ID
- * 0 = zero (or 1 if no repeaters)
- *
- * The final octet of each repeater has the form:
- *
- * H R R SSID 0, where,
- *
- * H = has-been-repeated = 0 initially.
- * Set to 1 after this address has been used.
- * R R = Reserved = 1 1
- * SSID = substation ID
- * 0 = zero (or 1 if last repeater in list)
- *
- * A digipeater would repeat this frame if it finds its address
- * with the "H" bit set to 0 and all earlier repeater addresses
- * have the "H" bit set to 1.
- * The "H" bit would be set to 1 in the repeated frame.
- *
- * When monitoring, an asterisk is displayed after the last digipeater with
- * the "H" bit set. No asterisk means the source is being heard directly.
- *
- * Example, if we can hear all stations involved,
- *
- * SRC>DST,RPT1,RPT2,RPT3: -- we heard SRC
- * SRC>DST,RPT1*,RPT2,RPT3: -- we heard RPT1
- * SRC>DST,RPT1,RPT2*,RPT3: -- we heard RPT2
- * SRC>DST,RPT1,RPT2,RPT3*: -- we heard RPT3
- *
- *
- * Next we have:
- *
- * * One byte Control Field - APRS uses 3 for UI frame
- * * One byte Protocol ID - APRS uses 0xf0 for no layer 3
- *
- * Finally the Information Field of 1-256 bytes.
- *
- * And, of course, the 2 byte CRC.
- *
- *
- * Constructors: ax25_init - Clear everything.
- * ax25_from_text - Tear apart a text string
- * ax25_from_frame - Tear apart an AX.25 frame.
- * Must be called before any other function.
- *
- * Get methods: .... - Extract destination, source, or digipeater
- * address from frame.
- *
- * Assumptions: CRC has already been verified to be correct.
- *
- *------------------------------------------------------------------*/
-
-#define AX25_PAD_C /* this will affect behavior of ax25_pad.h */
-
-
-#include
-#include
-#include
-#include
-#include
-#ifndef _POSIX_C_SOURCE
-
-#define _POSIX_C_SOURCE 1
-#endif
-
-#include "regex.h"
-
-#if __WIN32__
-char *strtok_r(char *str, const char *delim, char **saveptr);
-#endif
-
-#include "ax25_pad.h"
-#include "textcolor.h"
-#include "fcs_calc.h"
-
-/*
- * Accumulate statistics.
- * If new_count gets more than a few larger than delete_count plus the size of
- * the transmit queue we have a memory leak.
- */
-
-static int new_count = 0;
-static int delete_count = 0;
-
-
-/*------------------------------------------------------------------------------
- *
- * Name: ax25_new
- *
- * Purpose: Allocate memory for a new packet object.
- *
- * Returns: Identifier for a new packet object.
- * In the current implementation this happens to be a pointer.
- *
- *------------------------------------------------------------------------------*/
-
-
-static packet_t ax25_new (void)
-{
- struct packet_s *this_p;
-
-
-#if DEBUG
- text_color_set(DW_COLOR_DEBUG);
- dw_printf ("ax25_new(): before alloc, new=%d, delete=%d\n", new_count, delete_count);
-#endif
-
- new_count++;
-
-/*
- * check for memory leak.
- */
- if (new_count > delete_count + 100) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Memory leak for packet objects. new=%d, delete=%d\n", new_count, delete_count);
- }
-
- this_p = calloc(sizeof (struct packet_s), (size_t)1);
- this_p->magic1 = MAGIC;
- this_p->magic2 = MAGIC;
- return (this_p);
-}
-
-/*------------------------------------------------------------------------------
- *
- * Name: ax25_delete
- *
- * Purpose: Destroy a packet object, freeing up memory it was using.
- *
- *------------------------------------------------------------------------------*/
-
-void ax25_delete (packet_t this_p)
-{
-#if DEBUG
- text_color_set(DW_COLOR_DEBUG);
- dw_printf ("ax25_delete(): before free, new=%d, delete=%d\n", new_count, delete_count);
-#endif
- assert (this_p->magic1 == MAGIC);
- assert (this_p->magic2 == MAGIC);
- memset (this_p, 0, sizeof (struct packet_s));
- delete_count++;
- free (this_p);
-}
-
-
-
-/*------------------------------------------------------------------------------
- *
- * Name: ax25_from_text
- *
- * Purpose: Parse a frame in human-readable monitoring format and change
- * to internal representation.
- *
- * Input: monitor - "TNC-2" format of a monitored packet. i.e.
- * source>dest[,repeater1,repeater2,...]:information
- *
- * strict - True to enforce rules for packets sent over the air.
- * False to be more lenient for packets from IGate server.
- *
- * Returns: Pointer to new packet object in the current implementation.
- *
- * Outputs: Use the "get" functions to retrieve information in different ways.
- *
- *------------------------------------------------------------------------------*/
-
-packet_t ax25_from_text (char *monitor, int strict)
-{
-
-/*
- * Tearing it apart is destructive so make our own copy first.
- */
- char stuff[512];
-
- char *pinfo;
- char *pa;
- char *saveptr; /* Used with strtok_r because strtok is not thread safe. */
-
- static int first_time = 1;
- static regex_t unhex_re;
- int e;
- char emsg[100];
-#define MAXMATCH 1
- regmatch_t match[MAXMATCH];
- int keep_going;
- char temp[512];
- int ssid_temp, heard_temp;
-
-
-
- packet_t this_p = ax25_new ();
-
- /* Is it possible to have a nul character (zero byte) in the */
- /* information field of an AX.25 frame? */
-
- strcpy (stuff, monitor);
-
-/*
- * Translate hexadecimal values like <0xff> to non-printing characters.
- * MIC-E message type uses 5 different non-printing characters.
- */
-
- if (first_time)
- {
- e = regcomp (&unhex_re, "<0x[0-9a-fA-F][0-9a-fA-F]>", 0);
- if (e) {
- regerror (e, &unhex_re, emsg, sizeof(emsg));
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("%s:%d: %s\n", __FILE__, __LINE__, emsg);
- }
-
- first_time = 0;
- }
-
-#if 0
- text_color_set(DW_COLOR_DEBUG);
- dw_printf ("BEFORE: %s\n", stuff);
- ax25_safe_print (stuff, -1, 0);
- dw_printf ("\n");
-#endif
- keep_going = 1;
- while (keep_going) {
- if (regexec (&unhex_re, stuff, MAXMATCH, match, 0) == 0) {
- int n;
- char *p;
-
- stuff[match[0].rm_so + 5] = '\0';
- n = strtol (stuff + match[0].rm_so + 3, &p, 16);
- stuff[match[0].rm_so] = n;
- strcpy (temp, stuff + match[0].rm_eo);
- strcpy (stuff + match[0].rm_so + 1, temp);
- }
- else {
- keep_going = 0;
- }
- }
-#if 0
- text_color_set(DW_COLOR_DEBUG);
- dw_printf ("AFTER: %s\n", stuff);
- ax25_safe_print (stuff, -1, 0);
- dw_printf ("\n");
-#endif
-
-/*
- * Separate the addresses from the rest.
- */
- pinfo = strchr (stuff, ':');
-
- if (pinfo == NULL) {
- ax25_delete (this_p);
- return (NULL);
- }
-
- *pinfo = '\0';
- pinfo++;
-
- if (strlen(pinfo) > AX25_MAX_INFO_LEN) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Warning: Information part truncated to %d characters.\n", AX25_MAX_INFO_LEN);
- pinfo[AX25_MAX_INFO_LEN] = '\0';
- }
-
- strcpy ((char*)(this_p->the_rest + 2), pinfo);
- this_p->the_rest_len = strlen(pinfo) + 2;
-
-/*
- * Now separate the addresses.
- * Note that source and destination order is swappped.
- */
-
- this_p->num_addr = 2;
-
-/*
- * Source address.
- * Don't use traditional strtok because it is not thread safe.
- */
- pa = strtok_r (stuff, ">", &saveptr);
- if (pa == NULL) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Failed to create packet from text. No source address\n");
- ax25_delete (this_p);
- return (NULL);
- }
-
- if ( ! ax25_parse_addr (pa, strict, this_p->addrs[AX25_SOURCE], &ssid_temp, &heard_temp)) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Failed to create packet from text. Bad source address\n");
- ax25_delete (this_p);
- return (NULL);
- }
-
- this_p->ssid_etc[AX25_SOURCE] = SSID_H_MASK | SSID_RR_MASK;
- ax25_set_ssid (this_p, AX25_SOURCE, ssid_temp);
-
-/*
- * Destination address.
- */
-
- pa = strtok_r (NULL, ",", &saveptr);
- if (pa == NULL) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Failed to create packet from text. No destination address\n");
- ax25_delete (this_p);
- return (NULL);
- }
-
- if ( ! ax25_parse_addr (pa, strict, this_p->addrs[AX25_DESTINATION], &ssid_temp, &heard_temp)) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Failed to create packet from text. Bad destination address\n");
- ax25_delete (this_p);
- return (NULL);
- }
-
- this_p->ssid_etc[AX25_DESTINATION] = SSID_H_MASK | SSID_RR_MASK;
- ax25_set_ssid (this_p, AX25_DESTINATION, ssid_temp);
-
-/*
- * VIA path.
- */
- while (( pa = strtok_r (NULL, ",", &saveptr)) != NULL && this_p->num_addr < AX25_MAX_ADDRS ) {
-
- //char *last;
- int k;
-
- k = this_p->num_addr;
-
- this_p->num_addr++;
-
- if ( ! ax25_parse_addr (pa, strict, this_p->addrs[k], &ssid_temp, &heard_temp)) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Failed to create packet from text. Bad digipeater address\n");
- ax25_delete (this_p);
- return (NULL);
- }
-
- this_p->ssid_etc[k] = SSID_RR_MASK;
- ax25_set_ssid (this_p, k, ssid_temp);
-
- // Does it have an "*" at the end?
- // TODO: Complain if more than one "*".
- // Could also check for all has been repeated bits are adjacent.
-
- if (heard_temp) {
- for ( ; k >= AX25_REPEATER_1; k--) {
- ax25_set_h (this_p, k);
- }
- }
- }
-
- this_p->the_rest[0] = AX25_UI_FRAME;
- this_p->the_rest[1] = AX25_NO_LAYER_3;
-
- return (this_p);
-}
-
-
-/*------------------------------------------------------------------------------
- *
- * Name: ax25_from_frame
- *
- * Purpose: Split apart an HDLC frame to components.
- *
- * Inputs: fbuf - Pointer to beginning of frame.
- *
- * flen - Length excluding the two FCS bytes.
- *
- * alevel - Audio level of received signal.
- * Maximum range 0 - 100.
- * -1 might be used when not applicable.
- *
- * Returns: Pointer to new packet object or NULL if error.
- *
- * Outputs: Use the "get" functions to retrieve information in different ways.
- *
- *------------------------------------------------------------------------------*/
-
-
-packet_t ax25_from_frame (unsigned char *fbuf, int flen, int alevel)
-{
- unsigned char *pf;
- //int found_last;
- packet_t this_p;
-
- int a;
- int addr_bytes;
-
-/*
- * First make sure we have an acceptable length:
- *
- * We are not concerned with the FCS (CRC) because someone else checked it.
- *
- * Is is possible to have zero length for info? No.
- */
-
- if (flen < AX25_MIN_PACKET_LEN || flen > AX25_MAX_PACKET_LEN)
- {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Frame length %d not in allowable range of %d to %d.\n", flen, AX25_MIN_PACKET_LEN, AX25_MAX_PACKET_LEN);
- return (NULL);
- }
-
- this_p = ax25_new ();
-
-/*
- * Extract the addresses.
- * The last one has '1' in the LSB of the last byte.
- */
-
-#if 1
-
-/*
- * 0.9 - Try new strategy that will allow KISS mode
- * to handle non AX.25 frame.
- */
-
- this_p->num_addr = 0; /* Number of addresses extracted. */
-
- addr_bytes = 0;
- for (a = 0; a < flen && addr_bytes == 0; a++) {
- if (fbuf[a] & 0x01) {
- addr_bytes = a + 1;
- }
- }
-
- if (addr_bytes % 7 == 0) {
- int addrs = addr_bytes / 7;
- if (addrs >= AX25_MIN_ADDRS && addrs <= AX25_MAX_ADDRS) {
- this_p->num_addr = addrs;
-
- for (a = 0; a < addrs; a++){
- unsigned char *pin;
- char *pout;
- int j;
- char ch;
-
- pin = fbuf + a * 7;
- pout = & this_p->addrs[a][0];
-
- for (j=0; j<6; j++)
- {
- ch = *pin++ >> 1;
- if (ch != ' ')
- {
- *pout++ = ch;
- }
- }
- *pout = '\0';
-
- this_p->ssid_etc[a] = *pin & ~ SSID_LAST_MASK;
- }
- }
- }
-
- pf = fbuf + this_p->num_addr * 7;
-
-#else
-
- pf = fbuf; /* Transmitted form from here. */
-
- this_p->num_addr = 0; /* Number of addresses extracted. */
- found_last = 0;
-
- while (this_p->num_addr < AX25_MAX_ADDRS && ! found_last) {
-
- unsigned char *pin;
- char *pout;
- int j;
- char ch;
-
- pin = pf;
- pout = & this_p->addrs[this_p->num_addr][0];
-
- for (j=0; j<6; j++)
- {
- ch = *pin++ >> 1;
- if (ch != ' ')
- {
- *pout++ = ch;
- }
- }
- *pout = '\0';
-
- this_p->ssid_etc[this_p->num_addr] = pf[6] & ~ SSID_LAST_MASK;
-
- this_p->num_addr++;
-
- if (pf[6] & SSID_LAST_MASK) { /* Is this the last one? */
- found_last = 1;
- }
- else {
- pf += 7; /* Get ready for next one. */
- }
- }
-
- if (this_p->num_addr < 2) {
- int k;
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Frame format error detected in ax25_from_frame, %s, line %d.\n", __FILE__, __LINE__);
- dw_printf ("Did not find a minimum of two addresses at beginning of AX.25 frame.\n");
- for (k=0; k<14; k++) {
- dw_printf (" %02x", fbuf[k]);
- }
- dw_printf ("\n");
- /* Should we keep going or delete the packet? */
- }
-
-/*
- * pf still points to the last address (repeater or source).
- *
- * Verify that it has the last address bit set.
- */
- if ((pf[6] & SSID_LAST_MASK) == 0) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Last address in header does not have LSB set.\n");
- ax25_delete (this_p);
- return (NULL);
- }
-
- pf += 7;
-
-#endif
-
- if (this_p->num_addr * 7 > flen - 1) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Frame too short to include control field.\n");
- ax25_delete (this_p);
- return (NULL);
- }
-
-
-
-
-/*
- * pf should now point to control field.
- * Previously we separated out control, PID, and Info here.
- *
- * Now (version 0.8) we save control, PID, and info together.
- * This makes it easier to act as a dumb KISS TNC
- * for AX.25-based protocols other than APRS.
- */
- this_p->the_rest_len = flen - (pf - fbuf);
-
- assert (this_p->the_rest_len >= 1);
-
- memcpy (this_p->the_rest, pf, (size_t)this_p->the_rest_len);
- this_p->the_rest[this_p->the_rest_len] = '\0';
-
- return (this_p);
-}
-
-
-/*------------------------------------------------------------------------------
- *
- * Name: ax25_dup
- *
- * Purpose: Make a copy of given packet object.
- *
- * Inputs: copy_from - Existing packet object.
- *
- * Returns: Pointer to new packet object or NULL if error.
- *
- *
- *------------------------------------------------------------------------------*/
-
-
-packet_t ax25_dup (packet_t copy_from)
-{
-
- packet_t this_p;
-
-
- this_p = ax25_new ();
-
- memcpy (this_p, copy_from, sizeof (struct packet_s));
-
- return (this_p);
-
-}
-
-
-/*------------------------------------------------------------------------------
- *
- * Name: ax25_parse_addr
- *
- * Purpose: Parse address with optional ssid.
- *
- * Inputs: in_addr - Input such as "WB2OSZ-15*"
- *
- * strict - TRUE for strict checking (6 characters, no lower case,
- * SSID must be in range of 0 to 15).
- * Strict is appropriate for packets sent
- * over the radio. Communication with IGate
- * allows lower case (e.g. "qAR") and two
- * alphanumeric characters for the SSID.
- * We also get messages like this from a server.
- * KB1POR>APU25N,TCPIP*,qAC,T2NUENGLD:...
- *
- * Outputs: out_addr - Address without any SSID.
- * Must be at least AX25_MAX_ADDR_LEN bytes.
- *
- * out_ssid - Numeric value of SSID.
- *
- * out_heard - True if "*" found.
- *
- * Returns: True (1) if OK, false (0) if any error.
- *
- *
- *------------------------------------------------------------------------------*/
-
-
-int ax25_parse_addr (char *in_addr, int strict, char *out_addr, int *out_ssid, int *out_heard)
-{
- char *p;
- char sstr[4];
- int i, j, k;
- int maxlen;
-
- strcpy (out_addr, "");
- *out_ssid = 0;
- *out_heard = 0;
-
- maxlen = strict ? 6 : (AX25_MAX_ADDR_LEN-1);
- p = in_addr;
- i = 0;
- for (p = in_addr; isalnum(*p); p++) {
- if (i >= maxlen) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Address is too long. \"%s\" has more than %d characters.\n", in_addr, maxlen);
- return 0;
- }
- out_addr[i++] = *p;
- out_addr[i] = '\0';
- if (strict && islower(*p)) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Address has lower case letters. \"%s\" must be all upper case.\n", in_addr);
- return 0;
- }
- }
-
- strcpy (sstr, "");
- j = 0;
- if (*p == '-') {
- for (p++; isalnum(*p); p++) {
- if (j >= 2) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("SSID is too long. SSID part of \"%s\" has more than 2 characters.\n", in_addr);
- return 0;
- }
- sstr[j++] = *p;
- sstr[j] = '\0';
- if (strict && ! isdigit(*p)) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("SSID must be digits. \"%s\" has letters in SSID.\n", in_addr);
- return 0;
- }
- }
- k = atoi(sstr);
- if (k < 0 || k > 15) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("SSID out of range. SSID of \"%s\" not in range of 0 to 15.\n", in_addr);
- return 0;
- }
- *out_ssid = k;
- }
-
- if (*p == '*') {
- *out_heard = 1;
- p++;
- }
-
- if (*p != '\0') {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Invalid character \"%c\" found in address \"%s\".\n", *p, in_addr);
- return 0;
- }
-
- return (1);
-
-} /* end ax25_parse_addr */
-
-
-/*------------------------------------------------------------------------------
- *
- * Name: ax25_unwrap_third_party
- *
- * Purpose: Unwrap a third party messge from the header.
- *
- * Inputs: copy_from - Existing packet object.
- *
- * Returns: Pointer to new packet object or NULL if error.
- *
- * Example: Input: A>B,C:}D>E,F:info
- * Output: D>E,F:info
- *
- *------------------------------------------------------------------------------*/
-
-packet_t ax25_unwrap_third_party (packet_t from_pp)
-{
- unsigned char *info_p;
- packet_t result_pp;
-
- if (ax25_get_dti(from_pp) != '}') {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Internal error: ax25_unwrap_third_party: wrong data type.\n");
- return (NULL);
- }
-
- (void) ax25_get_info (from_pp, &info_p);
-
- result_pp = ax25_from_text((char *)info_p + 1, 0);
-
- return (result_pp);
-}
-
-
-
-/*------------------------------------------------------------------------------
- *
- * Name: ax25_set_addr
- *
- * Purpose: Add or change an address.
- *
- * Inputs: n - Index of address. Use the symbols
- * AX25_DESTINATION, AX25_SOURCE, AX25_REPEATER1, etc.
- * ad - Address with optional dash and substation id.
- *
- * Assumption: ax25_from_text or ax25_from_frame was called first.
- *
- * TODO: ax25_from_text could use this.
- *
- * Returns: None.
- *
- *
- *------------------------------------------------------------------------------*/
-
-void ax25_set_addr (packet_t this_p, int n, char *ad)
-{
- int ssid_temp, heard_temp;
-
- assert (this_p->magic1 == MAGIC);
- assert (this_p->magic2 == MAGIC);
- assert (n >= 0 && n < AX25_MAX_ADDRS);
- assert (strlen(ad) < AX25_MAX_ADDR_LEN);
-
- if (n+1 > this_p->num_addr) {
- this_p->num_addr = n+1;
- this_p->ssid_etc[n] = SSID_RR_MASK;
- }
-
- ax25_parse_addr (ad, 0, this_p->addrs[n], &ssid_temp, &heard_temp);
- ax25_set_ssid (this_p, n, ssid_temp);
-}
-
-
-/*------------------------------------------------------------------------------
- *
- * Name: ax25_insert_addr
- *
- * Purpose: Insert address at specified position, shifting others up one
- * position.
- * This is used when a digipeater wants to insert its own call
- * for tracing purposes.
- * For example:
- * W1ABC>TEST,WIDE3-3
- * Would become:
- * W1ABC>TEST,WB2OSZ-1*,WIDE3-2
- *
- * Inputs: n - Index of address. Use the symbols
- * AX25_DESTINATION, AX25_SOURCE, AX25_REPEATER1, etc.
- *
- * ad - Address with optional dash and substation id.
- *
- * Bugs: Little validity or bounds checking is performed. Be careful.
- *
- * Assumption: ax25_from_text or ax25_from_frame was called first.
- *
- * Returns: None.
- *
- *
- *------------------------------------------------------------------------------*/
-
-void ax25_insert_addr (packet_t this_p, int n, char *ad)
-{
- int k;
- int ssid_temp, heard_temp;
-
- assert (this_p->magic1 == MAGIC);
- assert (this_p->magic2 == MAGIC);
- assert (n >= AX25_REPEATER_1 && n < AX25_MAX_ADDRS);
- assert (strlen(ad) < AX25_MAX_ADDR_LEN);
-
- /* Don't do it if we already have the maximum number. */
- /* Should probably return success/fail code but currently the caller doesn't care. */
-
- if ( this_p->num_addr >= AX25_MAX_ADDRS) {
- return;
- }
-
- /* Shift the current occupant and others up. */
-
- for (k=this_p->num_addr; k>n; k--) {
- strcpy (this_p->addrs[k], this_p->addrs[k-1]);
- this_p->ssid_etc[k] = this_p->ssid_etc[k-1];
- }
-
- this_p->num_addr++;
-
- ax25_parse_addr (ad, 0, this_p->addrs[n], &ssid_temp, &heard_temp);
- this_p->ssid_etc[n] = SSID_RR_MASK;
- ax25_set_ssid (this_p, n, ssid_temp);
-}
-
-
-/*------------------------------------------------------------------------------
- *
- * Name: ax25_remove_addr
- *
- * Purpose: Remove address at specified position, shifting others down one position.
- * This is used when we want to remove something from the digipeater list.
- *
- * Inputs: n - Index of address. Use the symbols
- * AX25_REPEATER1, AX25_REPEATER2, etc.
- *
- * Bugs: Little validity or bounds checking is performed. Be careful.
- *
- * Assumption: ax25_from_text or ax25_from_frame was called first.
- *
- * Returns: None.
- *
- *
- *------------------------------------------------------------------------------*/
-
-void ax25_remove_addr (packet_t this_p, int n)
-{
- int k;
-
- assert (this_p->magic1 == MAGIC);
- assert (this_p->magic2 == MAGIC);
- assert (n >= AX25_REPEATER_1 && n < AX25_MAX_ADDRS);
-
- /* Shift those beyond to fill this position. */
-
- this_p->num_addr--;
-
- for (k = n; k < this_p->num_addr; k++) {
- strcpy (this_p->addrs[k], this_p->addrs[k+1]);
- this_p->ssid_etc[k] = this_p->ssid_etc[k+1];
- }
-}
-
-
-/*------------------------------------------------------------------------------
- *
- * Name: ax25_get_num_addr
- *
- * Purpose: Return number of addresses in current packet.
- *
- * Assumption: ax25_from_text or ax25_from_frame was called first.
- *
- * Returns: Number of addresses in the current packet.
- * Should be in the range of 2 .. AX25_MAX_ADDRS.
- *
- * Version 0.9: Could be zero for a non AX.25 frame in KISS mode.
- *
- *------------------------------------------------------------------------------*/
-
-int ax25_get_num_addr (packet_t this_p)
-{
- assert (this_p->magic1 == MAGIC);
- assert (this_p->magic2 == MAGIC);
- return (this_p->num_addr);
-}
-
-
-/*------------------------------------------------------------------------------
- *
- * Name: ax25_get_num_repeaters
- *
- * Purpose: Return number of repeater addresses in current packet.
- *
- * Assumption: ax25_from_text or ax25_from_frame was called first.
- *
- * Returns: Number of addresses in the current packet - 2.
- * Should be in the range of 0 .. AX25_MAX_ADDRS - 2.
- *
- *------------------------------------------------------------------------------*/
-
-int ax25_get_num_repeaters (packet_t this_p)
-{
- assert (this_p->magic1 == MAGIC);
- assert (this_p->magic2 == MAGIC);
-
- if (this_p->num_addr >= 2) {
- return (this_p->num_addr - 2);
- }
-
- return (0);
-}
-
-
-/*------------------------------------------------------------------------------
- *
- * Name: ax25_get_addr_with_ssid
- *
- * Purpose: Return specified address with any SSID in current packet.
- *
- * Inputs: n - Index of address. Use the symbols
- * AX25_DESTINATION, AX25_SOURCE, AX25_REPEATER1, etc.
- *
- * Outputs: station - String representation of the station, including the SSID.
- * e.g. "WB2OSZ-15"
- *
- * Bugs: No bounds checking is performed. Be careful.
- *
- * Assumption: ax25_from_text or ax25_from_frame was called first.
- *
- * Returns: Character string in usual human readable format,
- *
- *
- *------------------------------------------------------------------------------*/
-
-void ax25_get_addr_with_ssid (packet_t this_p, int n, char *station)
-{
- int ssid;
- char sstr[4];
-
- assert (this_p->magic1 == MAGIC);
- assert (this_p->magic2 == MAGIC);
-
-/*
- * This assert failure popped up once and it is not clear why.
- * Let's print out more information about the situation so we
- * might have a clue about the root cause.
- * Try to keep going instead of dying at this point.
- */
- //assert (n >= 0 && n < this_p->num_addr);
-
- if (n < 0) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Internal error detected in ax25_get_addr_with_ssid, %s, line %d.\n", __FILE__, __LINE__);
- dw_printf ("Address index, %d, is less than zero.\n", n);
- strcpy (station, "??????");
- return;
- }
-
- if (n >= this_p->num_addr) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Internal error detected in ax25_get_addr_with_ssid, %s, line %d.\n", __FILE__, __LINE__);
- dw_printf ("Address index, %d, is too large for number of addresses, %d.\n", n, this_p->num_addr);
- strcpy (station, "??????");
- return;
- }
-
- strcpy (station, this_p->addrs[n]);
-
- ssid = ax25_get_ssid (this_p, n);
- if (ssid != 0) {
- sprintf (sstr, "-%d", ssid);
- strcat (station, sstr);
- }
-}
-
-
-/*------------------------------------------------------------------------------
- *
- * Name: ax25_get_ssid
- *
- * Purpose: Return SSID of specified address in current packet.
- *
- * Inputs: n - Index of address. Use the symbols
- * AX25_DESTINATION, AX25_SOURCE, AX25_REPEATER1, etc.
- *
- * Warning: No bounds checking is performed. Be careful.
- *
- * Assumption: ax25_from_text or ax25_from_frame was called first.
- *
- * Returns: Substation id, as integer 0 .. 15.
- *
- * Bugs: Rewrite to keep call and SSID separate internally.
- *
- *------------------------------------------------------------------------------*/
-
-int ax25_get_ssid (packet_t this_p, int n)
-{
-
- assert (this_p->magic1 == MAGIC);
- assert (this_p->magic2 == MAGIC);
- assert (n >= 0 && n < this_p->num_addr);
-
- return ((this_p->ssid_etc[n] & SSID_SSID_MASK) >> SSID_SSID_SHIFT);
-}
-
-
-/*------------------------------------------------------------------------------
- *
- * Name: ax25_set_ssid
- *
- * Purpose: Set the SSID of specified address in current packet.
- *
- * Inputs: n - Index of address. Use the symbols
- * AX25_DESTINATION, AX25_SOURCE, AX25_REPEATER1, etc.
- *
- * ssid - New SSID. Must be in range of 0 to 15.
- *
- * Warning: No bounds checking is performed. Be careful.
- *
- * Assumption: ax25_from_text or ax25_from_frame was called first.
- *
- * Bugs: Rewrite to keep call and SSID separate internally.
- *
- *------------------------------------------------------------------------------*/
-
-void ax25_set_ssid (packet_t this_p, int n, int ssid)
-{
-
- assert (this_p->magic1 == MAGIC);
- assert (this_p->magic2 == MAGIC);
- assert (n >= 0 && n < this_p->num_addr);
-
- this_p->ssid_etc[n] = (this_p->ssid_etc[n] & ~ SSID_SSID_MASK) |
- ((ssid << SSID_SSID_SHIFT) & SSID_SSID_MASK) ;
-}
-
-
-/*------------------------------------------------------------------------------
- *
- * Name: ax25_get_h
- *
- * Purpose: Return "has been repeated" flag of specified address in current packet.
- *
- * Inputs: n - Index of address. Use the symbols
- * AX25_DESTINATION, AX25_SOURCE, AX25_REPEATER1, etc.
- *
- * Bugs: No bounds checking is performed. Be careful.
- *
- * Assumption: ax25_from_text or ax25_from_frame was called first.
- *
- * Returns: True or false.
- *
- *------------------------------------------------------------------------------*/
-
-int ax25_get_h (packet_t this_p, int n)
-{
-
- assert (this_p->magic1 == MAGIC);
- assert (this_p->magic2 == MAGIC);
- assert (n >= 0 && n < this_p->num_addr);
-
- return ((this_p->ssid_etc[n] & SSID_H_MASK) >> SSID_H_SHIFT);
-}
-
-
-/*------------------------------------------------------------------------------
- *
- * Name: ax25_set_h
- *
- * Purpose: Set the "has been repeated" flag of specified address in current packet.
- *
- * Inputs: n - Index of address. Use the symbols
- * Should be in range of AX25_REPEATER_1 .. AX25_REPEATER_8.
- *
- * Bugs: No bounds checking is performed. Be careful.
- *
- * Assumption: ax25_from_text or ax25_from_frame was called first.
- *
- * Returns: None
- *
- *------------------------------------------------------------------------------*/
-
-void ax25_set_h (packet_t this_p, int n)
-{
-
- assert (this_p->magic1 == MAGIC);
- assert (this_p->magic2 == MAGIC);
- assert (n >= 0 && n < this_p->num_addr);
-
- this_p->ssid_etc[n] |= SSID_H_MASK;
-}
-
-
-/*------------------------------------------------------------------------------
- *
- * Name: ax25_get_heard
- *
- * Purpose: Return index of the station that we heard.
- *
- * Inputs: none
- *
- *
- * Assumption: ax25_from_text or ax25_from_frame was called first.
- *
- * Returns: If any of the digipeaters have the has-been-repeated bit set,
- * return the index of the last one. Otherwise return index for source.
- *
- *------------------------------------------------------------------------------*/
-
-int ax25_get_heard(packet_t this_p)
-{
- int i;
- int result;
-
- assert (this_p->magic1 == MAGIC);
- assert (this_p->magic2 == MAGIC);
- result = AX25_SOURCE;
-
- for (i = AX25_REPEATER_1; i < ax25_get_num_addr(this_p); i++) {
-
- if (ax25_get_h(this_p,i)) {
- result = i;
- }
- }
- return (result);
-}
-
-
-
-/*------------------------------------------------------------------------------
- *
- * Name: ax25_get_first_not_repeated
- *
- * Purpose: Return index of the first repeater that does NOT have the
- * "has been repeated" flag set or -1 if none.
- *
- * Inputs: none
- *
- *
- * Assumption: ax25_from_text or ax25_from_frame was called first.
- *
- * Returns: In range of X25_REPEATER_1 .. X25_REPEATER_8 or -1 if none.
- *
- *------------------------------------------------------------------------------*/
-
-int ax25_get_first_not_repeated(packet_t this_p)
-{
- int i;
-
- assert (this_p->magic1 == MAGIC);
- assert (this_p->magic2 == MAGIC);
- for (i = AX25_REPEATER_1; i < ax25_get_num_addr(this_p); i++) {
-
- if ( ! ax25_get_h(this_p,i)) {
- return (i);
- }
- }
- return (-1);
-}
-
-
-/*------------------------------------------------------------------------------
- *
- * Name: ax25_get_info
- *
- * Purpose: Obtain Information part of current packet.
- *
- * Inputs: None.
- *
- * Outputs: paddr - Starting address is returned here.
- *
- * Assumption: ax25_from_text or ax25_from_frame was called first.
- *
- * Returns: Number of octets in the Information part.
- * Should be in the range of AX25_MIN_INFO_LEN .. AX25_MAX_INFO_LEN.
- *
- *------------------------------------------------------------------------------*/
-
-int ax25_get_info (packet_t this_p, unsigned char **paddr)
-{
- assert (this_p->magic1 == MAGIC);
- assert (this_p->magic2 == MAGIC);
-
- if (this_p->num_addr >= 2) {
- *paddr = this_p->the_rest + ax25_get_info_offset(this_p);
- return (ax25_get_num_info(this_p));
- }
-
- /* Not AX.25. Whole packet is info. */
-
- *paddr = this_p->the_rest;
- return (this_p->the_rest_len);
-}
-
-
-/*------------------------------------------------------------------------------
- *
- * Name: ax25_get_dti
- *
- * Purpose: Get Data Type Identifier from Information part.
- *
- * Inputs: None.
- *
- * Assumption: ax25_from_text or ax25_from_frame was called first.
- *
- * Returns: First byte from the information part.
- *
- *------------------------------------------------------------------------------*/
-
-int ax25_get_dti (packet_t this_p)
-{
- assert (this_p->magic1 == MAGIC);
- assert (this_p->magic2 == MAGIC);
-
- if (this_p->num_addr >= 2) {
- return (this_p->the_rest[ax25_get_info_offset(this_p)]);
- }
- return (' ');
-}
-
-/*------------------------------------------------------------------------------
- *
- * Name: ax25_set_nextp
- *
- * Purpose: Set next packet object in queue.
- *
- * Inputs: this_p - Current packet object.
- *
- * next_p - pointer to next one
- *
- * Description: This is used to build a linked list for a queue.
- *
- *------------------------------------------------------------------------------*/
-
-void ax25_set_nextp (packet_t this_p, packet_t next_p)
-{
- assert (this_p->magic1 == MAGIC);
- assert (this_p->magic2 == MAGIC);
-
- this_p->nextp = next_p;
-}
-
-
-
-/*------------------------------------------------------------------------------
- *
- * Name: ax25_get_nextp
- *
- * Purpose: Obtain next packet object in queue.
- *
- * Inputs: Packet object.
- *
- * Returns: Following object in queue or NULL.
- *
- *------------------------------------------------------------------------------*/
-
-packet_t ax25_get_nextp (packet_t this_p)
-{
- assert (this_p->magic1 == MAGIC);
- assert (this_p->magic2 == MAGIC);
-
- return (this_p->nextp);
-}
-
-
-
-/*------------------------------------------------------------------
- *
- * Function: ax25_format_addrs
- *
- * Purpose: Format all the addresses suitable for printing.
- *
- * The AX.25 spec refers to this as "Source Path Header" - "TNC-2" Format
- *
- * Inputs: Current packet.
- *
- * Outputs: result - All addresses combined into a single string of the form:
- *
- * "Source > Destination [ , repeater ... ] :"
- *
- * An asterisk is displayed after the last digipeater
- * with the "H" bit set. e.g. If we hear RPT2,
- *
- * SRC>DST,RPT1,RPT2*,RPT3:
- *
- * No asterisk means the source is being heard directly.
- * Needs to be 101 characters to avoid overflowing.
- * (Up to 100 characters + \0)
- *
- * Errors: No error checking so caller needs to be careful.
- *
- *
- *------------------------------------------------------------------*/
-
-void ax25_format_addrs (packet_t this_p, char *result)
-{
- int i;
- int heard;
- char stemp[AX25_MAX_ADDR_LEN];
-
- assert (this_p->magic1 == MAGIC);
- assert (this_p->magic2 == MAGIC);
- *result = '\0';
-
- /* New in 0.9. */
- /* Don't get upset if no addresses. */
- /* This will allow packets that do not comply to AX.25 format. */
-
- if (this_p->num_addr == 0) {
- return;
- }
-
- ax25_get_addr_with_ssid (this_p, AX25_SOURCE, stemp);
- strcat (result, stemp);
- strcat (result, ">");
-
- ax25_get_addr_with_ssid (this_p, AX25_DESTINATION, stemp);
- strcat (result, stemp);
-
- heard = ax25_get_heard(this_p);
-
- for (i=(int)AX25_REPEATER_1; inum_addr; i++) {
- ax25_get_addr_with_ssid (this_p, i, stemp);
- strcat (result, ",");
- strcat (result, stemp);
- if (i == heard) {
- strcat (result, "*");
- }
- }
-
- strcat (result, ":");
-}
-
-
-/*------------------------------------------------------------------
- *
- * Function: ax25_pack
- *
- * Purpose: Put all the pieces into format ready for transmission.
- *
- * Inputs: this_p - pointer to packet object.
- *
- * Outputs: result - Frame buffer, AX25_MAX_PACKET_LEN bytes.
- * Should also have two extra for FCS to be
- * added later.
- *
- * Returns: Number of octets in the frame buffer.
- * Does NOT include the extra 2 for FCS.
- *
- * Errors: Returns -1.
- *
- *
- *------------------------------------------------------------------*/
-
-int ax25_pack (packet_t this_p, unsigned char result[AX25_MAX_PACKET_LEN])
-{
- int j, k;
- unsigned char *pout;
- int len;
-
- assert (this_p->magic1 == MAGIC);
- assert (this_p->magic2 == MAGIC);
-
- pout = result;
-
- for (j=0; jnum_addr; j++) {
-
- char *s;
-
- memset (pout, ' ' << 1, (size_t)6);
-
- s = this_p->addrs[j];
- for (k=0; *s != '\0'; k++, s++) {
- pout[k] = *s << 1;
- }
-
- if (j == this_p->num_addr - 1) {
- pout[6] = this_p->ssid_etc[j] | SSID_LAST_MASK;
- }
- else {
- pout[6] = this_p->ssid_etc[j] & ~ SSID_LAST_MASK;
- }
- pout += 7;
- }
-
- memcpy (pout, this_p->the_rest, (size_t)this_p->the_rest_len);
- pout += this_p->the_rest_len;
-
- len = pout - result;
-
- assert (len <= AX25_MAX_PACKET_LEN);
-
- return (len);
-}
-
-
-/*------------------------------------------------------------------
- *
- * Function: ax25_is_aprs
- *
- * Purpose: Is this packet APRS format?
- *
- * Inputs: this_p - pointer to packet object.
- *
- * Returns: True if this frame has the proper control
- * octets for an APRS packet.
- * control 3 for UI frame
- * protocol id 0xf0 for no layer 3
- *
- *
- * Description: Dire Wolf should be able to act as a KISS TNC for
- * any type of AX.25 activity. However, there are other
- * places where we want to process only APRS.
- * (e.g. digipeating and IGate.)
- *
- *------------------------------------------------------------------*/
-
-
-int ax25_is_aprs (packet_t this_p)
-{
- assert (this_p->magic1 == MAGIC);
- assert (this_p->magic2 == MAGIC);
-
- return (this_p->num_addr >= 2 &&
- ax25_get_control(this_p) == AX25_UI_FRAME &&
- ax25_get_pid(this_p) == AX25_NO_LAYER_3);
-}
-
-/*------------------------------------------------------------------
- *
- * Function: ax25_get_control
- *
- * Purpose: Get Control field from packet.
- *
- * Inputs: this_p - pointer to packet object.
- *
- * Returns: APRS uses AX25_UI_FRAME.
- * This could also be used in other situations.
- *
- *------------------------------------------------------------------*/
-
-
-int ax25_get_control (packet_t this_p)
-{
- assert (this_p->magic1 == MAGIC);
- assert (this_p->magic2 == MAGIC);
-
- if (this_p->num_addr >= 2) {
- return (this_p->the_rest[ax25_get_control_offset(this_p)]);
- }
- return (-1);
-}
-
-/*------------------------------------------------------------------
- *
- * Function: ax25_get_pid
- *
- * Purpose: Get protocol ID from packet.
- *
- * Inputs: this_p - pointer to packet object.
- *
- * Returns: APRS uses 0xf0 for no layer 3.
- * This could also be used in other situations.
- *
- *------------------------------------------------------------------*/
-
-
-int ax25_get_pid (packet_t this_p)
-{
- assert (this_p->magic1 == MAGIC);
- assert (this_p->magic2 == MAGIC);
-
- if (this_p->num_addr >= 2) {
- return (this_p->the_rest[ax25_get_pid_offset(this_p)]);
- }
- return (-1);
-}
-
-
-/*------------------------------------------------------------------------------
- *
- * Name: ax25_dedupe_crc
- *
- * Purpose: Calculate a checksum for the packet source, destination, and
- * information but NOT the digipeaters.
- * This is used for duplicate detection in the digipeater
- * and IGate algorithms.
- *
- * Input: pp - Pointer to packet object.
- *
- * Returns: Value which will be the same for a duplicate but very unlikely
- * to match a non-duplicate packet.
- *
- * Description: For detecting duplicates, we need to look
- * + source station
- * + destination
- * + information field
- * but NOT the changing list of digipeaters.
- *
- * Typically, only a checksum is kept to reduce memory
- * requirements and amount of compution for comparisons.
- * There is a very very small probability that two unrelated
- * packets will result in the same checksum, and the
- * undesired dropping of the packet.
- *
- *------------------------------------------------------------------------------*/
-
-unsigned short ax25_dedupe_crc (packet_t pp)
-{
- unsigned short crc;
- char src[AX25_MAX_ADDR_LEN];
- char dest[AX25_MAX_ADDR_LEN];
- unsigned char *pinfo;
- int info_len;
-
- ax25_get_addr_with_ssid(pp, AX25_SOURCE, src);
- ax25_get_addr_with_ssid(pp, AX25_DESTINATION, dest);
- info_len = ax25_get_info (pp, &pinfo);
-
- crc = 0xffff;
- crc = crc16((unsigned char *)src, strlen(src), crc);
- crc = crc16((unsigned char *)dest, strlen(dest), crc);
- crc = crc16(pinfo, info_len, crc);
-
- return (crc);
-}
-
-/*------------------------------------------------------------------------------
- *
- * Name: ax25_m_m_crc
- *
- * Purpose: Calculate a checksum for the packet.
- * This is used for the multimodem duplicate detection.
- *
- * Input: pp - Pointer to packet object.
- *
- * Returns: Value which will be the same for a duplicate but very unlikely
- * to match a non-duplicate packet.
- *
- * Description: For detecting duplicates, we need to look the entire packet.
- *
- * Typically, only a checksum is kept to reduce memory
- * requirements and amount of compution for comparisons.
- * There is a very very small probability that two unrelated
- * packets will result in the same checksum, and the
- * undesired dropping of the packet.
-
- *------------------------------------------------------------------------------*/
-
-unsigned short ax25_m_m_crc (packet_t pp)
-{
- unsigned short crc;
- unsigned char fbuf[AX25_MAX_PACKET_LEN];
- int flen;
-
- flen = ax25_pack (pp, fbuf);
-
- crc = 0xffff;
- crc = crc16(fbuf, flen, crc);
-
- return (crc);
-}
-
-
-/*------------------------------------------------------------------
- *
- * Function: ax25_safe_print
- *
- * Purpose: Print given string, changing non printable characters to
- * hexadecimal notation. Note that character values
- * , 28, 29, 30, and 31 can appear in MIC-E message.
- *
- * Inputs: pstr - Pointer to string.
- *
- * len - Maximum length if not -1.
- *
- * ascii_only - Restrict output to only ASCII.
- * Normally we allow UTF-8.
- *
- * Stops after non-zero len characters or at nul.
- *
- * Returns: none
- *
- * Description: Print a string in a "safe" manner.
- * Anything that is not a printable character
- * will be converted to a hexadecimal representation.
- * For example, a Line Feed character will appear as <0x0a>
- * rather than dropping down to the next line on the screen.
- *
- * ax25_from_text can accept this format.
- *
- *
- * Example: W1MED-1>T2QP0S,N1OHZ,N8VIM*,WIDE1-1:'cQBl <0x1c>-/]<0x0d>
- * ------ ------
- *
- * Questions: What should we do about UTF-8? Should that be displayed
- * as hexadecimal for troubleshooting? Maybe an option so the
- * packet raw data is in hexadecimal but an extracted
- * comment displays UTF-8? Or a command line option for only ASCII?
- *
- *------------------------------------------------------------------*/
-
-#define MAXSAFE 500
-
-void ax25_safe_print (char *pstr, int len, int ascii_only)
-{
- int ch;
- char safe_str[MAXSAFE*6+1];
- int safe_len;
-
- safe_len = 0;
- safe_str[safe_len] = '\0';
-
-
- if (len < 0)
- len = strlen(pstr);
-
- if (len > MAXSAFE)
- len = MAXSAFE;
-
- while (len > 0 && *pstr != '\0')
- {
- ch = *((unsigned char *)pstr);
-
- if (ch < ' ' || ch == 0x7f || ch == 0xfe || ch == 0xff ||
- (ascii_only && ch >= 0x80) ) {
-
- /* Control codes and delete. */
- /* UTF-8 does not use fe and ff except in a possible */
- /* "Byte Order Mark" (BOM) at the beginning. */
-
- sprintf (safe_str + safe_len, "<0x%02x>", ch);
- safe_len += 6;
- }
- else {
- /* Let everything else thru so we can handle UTF-8 */
- /* Maybe we should have an option to display 0x80 */
- /* and above as hexadecimal. */
-
- safe_str[safe_len++] = ch;
- safe_str[safe_len] = '\0';
- }
-
- pstr++;
- len--;
- }
-
- dw_printf ("%s", safe_str);
-
-} /* end ax25_safe_print */
-
-/* end ax25_pad.c */
-
-
diff --git a/ax25_pad.h b/ax25_pad.h
deleted file mode 100644
index 490e6e6a..00000000
--- a/ax25_pad.h
+++ /dev/null
@@ -1,298 +0,0 @@
-/*-------------------------------------------------------------------
- *
- * Name: ax25_pad.h
- *
- * Purpose: Header file for using ax25_pad.c
- *
- *------------------------------------------------------------------*/
-
-#ifndef AX25_PAD_H
-#define AX25_PAD_H 1
-
-
-#define AX25_MAX_REPEATERS 8
-#define AX25_MIN_ADDRS 2 /* Destinatin & Source. */
-#define AX25_MAX_ADDRS 10 /* Destination, Source, 8 digipeaters. */
-
-#define AX25_DESTINATION 0 /* Address positions in frame. */
-#define AX25_SOURCE 1
-#define AX25_REPEATER_1 2
-#define AX25_REPEATER_2 3
-#define AX25_REPEATER_3 4
-#define AX25_REPEATER_4 5
-#define AX25_REPEATER_5 6
-#define AX25_REPEATER_6 7
-#define AX25_REPEATER_7 8
-#define AX25_REPEATER_8 9
-
-#define AX25_MAX_ADDR_LEN 12 /* In theory, you would expect the maximum length */
- /* to be 6 letters, dash, 2 digits, and nul for a */
- /* total of 10. However, object labels can be 10 */
- /* characters so throw in a couple extra bytes */
- /* to be safe. */
-
-#define AX25_MIN_INFO_LEN 0 /* Previously 1 when considering only APRS. */
-
-#define AX25_MAX_INFO_LEN 2048 /* Maximum size for APRS. */
- /* AX.25 starts out with 256 as the default max */
- /* length but the end stations can negotiate */
- /* something different. */
- /* version 0.8: Change from 256 to 2028 to */
- /* handle the larger paclen for Linux AX25. */
-
- /* These don't include the 2 bytes for the */
- /* HDLC frame FCS. */
-
-/*
- * Previously, for APRS only.
- * #define AX25_MIN_PACKET_LEN ( 2 * 7 + 2 + AX25_MIN_INFO_LEN)
- * #define AX25_MAX_PACKET_LEN ( AX25_MAX_ADDRS * 7 + 2 + AX25_MAX_INFO_LEN)
- */
-
-/* the more general case. */
-
-#define AX25_MIN_PACKET_LEN ( 2 * 7 + 1 )
-
-#define AX25_MAX_PACKET_LEN ( AX25_MAX_ADDRS * 7 + 2 + 3 + AX25_MAX_INFO_LEN)
-
-
-/*
- * packet_t is a pointer to a packet object.
- *
- * The actual implementation is not visible outside ax25_pad.c.
- */
-
-#define AX25_UI_FRAME 3 /* Control field value. */
-#define AX25_NO_LAYER_3 0xf0 /* protocol ID */
-
-
-
-#ifdef AX25_PAD_C /* Keep this hidden - implementation could change. */
-
-struct packet_s {
-
- int magic1; /* for error checking. */
-
-#define MAGIC 0x41583235
-
- struct packet_s *nextp; /* Pointer to next in queue. */
-
- int num_addr; /* Number of elements used in two below. */
- /* Range of 0 .. AX25_MAX_ADDRS. */
-
- char addrs[AX25_MAX_ADDRS][AX25_MAX_ADDR_LEN];
- /* Contains the address without the ssid. */
- /* Why is it larger than 7? */
- /* Messages from an IGate server can have longer */
- /* addresses after qAC. Up to 9 observed so far. */
-
- /* usual human readable form. e.g. WB20SZ-15 */
-
- unsigned char ssid_etc[AX25_MAX_ADDRS]; /* SSID octet from each address. */
-
- /*
- * Bits: H R R SSID 0
- *
- * H for digipeaters set to 0 intially.
- * Changed to 1 when position has been used.
- *
- * for source & destination it is called
- * command/response and is normally 1.
- *
- * R R Reserved. Normally set to 1 1.
- *
- * SSID Substation ID. Range of 0 - 15.
- *
- * 0 Usually 0 but 1 for last address.
- */
-
-#define SSID_H_MASK 0x80
-#define SSID_H_SHIFT 7
-
-#define SSID_RR_MASK 0x60
-#define SSID_RR_SHIFT 5
-
-#define SSID_SSID_MASK 0x1e
-#define SSID_SSID_SHIFT 1
-
-#define SSID_LAST_MASK 0x01
-
-
- int the_rest_len; /* Frame length minus the address part. */
-
- unsigned char the_rest[2 + 3 + AX25_MAX_INFO_LEN + 1];
- /* The rest after removing the addresses. */
- /* Includes control, protocol ID, Information, */
- /* and throw in one more for a character */
- /* string nul terminator. */
-
- int magic2; /* Will get stomped on if above overflows. */
-};
-
-
-
-
-#else /* Public view. */
-
-struct packet_s {
- int secret;
-};
-
-#endif
-
-
-typedef struct packet_s *packet_t;
-
-
-
-#ifdef AX25_PAD_C /* Keep this hidden - implementation could change. */
-
-/*
- * APRS always has one control octet of 0x03 but the more
- * general AX.25 case is one or two control bytes depending on
- * "modulo 128 operation" is in effect. Unfortunately, it seems
- * this can be determined only by examining the XID frames and
- * keeping this information for each connection.
- * We can assume 1 for our purposes.
- */
-
-static inline int ax25_get_control_offset (packet_t this_p)
-{
- return (0);
-}
-
-static inline int ax25_get_num_control (packet_t this_p)
-{
- return (1);
-}
-
-
-/*
- * APRS always has one protocol octet of 0xF0 meaning no level 3
- * protocol but the more general case is 0, 1 or 2 protocol ID octets.
- */
-
-static inline int ax25_get_pid_offset (packet_t this_p)
-{
- return (ax25_get_num_control(this_p));
-}
-
-static int ax25_get_num_pid (packet_t this_p)
-{
- int c;
- int pid;
-
- c = this_p->the_rest[ax25_get_control_offset(this_p)];
-
- if ( (c & 0x01) == 0 || /* I xxxx xxx0 */
- c == 0x03 || c == 0x13) { /* UI 000x 0011 */
-
- pid = this_p->the_rest[ax25_get_pid_offset(this_p)];
- if (pid == 0xff) {
- return (2); /* pid 1111 1111 means another follows. */
- }
- return (1);
- }
- return (0);
-}
-
-
-/*
- * APRS always has an Information field with at least one octet for the
- * Data Type Indicator. AX.25 has this for only 5 frame types depending
- * on the control field.
- * xxxx xxx0 I
- * 000x 0011 UI
- * 101x 1111 XID
- * 111x 0011 TEST
- * 100x 0111 FRMR
- */
-
-static inline int ax25_get_info_offset (packet_t this_p)
-{
- return (ax25_get_num_control(this_p) + ax25_get_num_pid(this_p));
-}
-
-static int ax25_get_num_info (packet_t this_p)
-{
- int len;
-
- len = this_p->the_rest_len - ax25_get_num_control(this_p) - ax25_get_num_pid(this_p);
- if (len < 0) {
- len = 0; /* print error? */
- }
- return (len);
-}
-
-#endif
-
-
-
-
-
-//static packet_t ax25_new (void);
-
-extern void ax25_delete (packet_t pp);
-
-extern void ax25_clear (packet_t pp);
-
-extern packet_t ax25_from_text (char *, int strict);
-
-extern packet_t ax25_from_frame (unsigned char *data, int len, int alevel);
-
-extern packet_t ax25_dup (packet_t copy_from);
-
-extern int ax25_parse_addr (char *in_addr, int strict, char *out_addr, int *out_ssid, int *out_heard);
-
-extern packet_t ax25_unwrap_third_party (packet_t from_pp);
-
-extern void ax25_set_addr (packet_t pp, int, char *);
-extern void ax25_insert_addr (packet_t this_p, int n, char *ad);
-extern void ax25_remove_addr (packet_t this_p, int n);
-
-extern int ax25_get_num_addr (packet_t pp);
-extern int ax25_get_num_repeaters (packet_t this_p);
-
-extern void ax25_get_addr_with_ssid (packet_t pp, int n, char *);
-
-extern int ax25_get_ssid (packet_t pp, int n);
-extern void ax25_set_ssid (packet_t this_p, int n, int ssid);
-
-extern int ax25_get_h (packet_t pp, int n);
-
-extern void ax25_set_h (packet_t pp, int n);
-
-extern int ax25_get_heard(packet_t this_p);
-
-extern int ax25_get_first_not_repeated(packet_t pp);
-
-extern int ax25_get_info (packet_t pp, unsigned char **paddr);
-
-extern void ax25_set_nextp (packet_t this_p, packet_t next_p);
-
-extern int ax25_get_dti (packet_t this_p);
-
-extern packet_t ax25_get_nextp (packet_t this_p);
-
-extern void ax25_format_addrs (packet_t pp, char *);
-
-extern int ax25_pack (packet_t pp, unsigned char result[AX25_MAX_PACKET_LEN]);
-
-extern int ax25_is_aprs (packet_t pp);
-
-extern int ax25_get_control (packet_t this_p);
-
-extern int ax25_get_pid (packet_t this_p);
-
-extern unsigned short ax25_dedupe_crc (packet_t pp);
-
-extern unsigned short ax25_m_m_crc (packet_t pp);
-
-extern void ax25_safe_print (char *, int, int ascii_only);
-
-
-#endif /* AX25_PAD_H */
-
-/* end ax25_pad.h */
-
-
diff --git a/beacon.c b/beacon.c
deleted file mode 100644
index 7dab39bf..00000000
--- a/beacon.c
+++ /dev/null
@@ -1,681 +0,0 @@
-//#define DEBUG 1
-//#define DEBUG_SIM 1
-
-
-//
-// This file is part of Dire Wolf, an amateur radio packet TNC.
-//
-// Copyright (C) 2011,2013,2014 John Langner, WB2OSZ
-//
-// This program is free software: you can redistribute it and/or modify
-// it under the terms of the GNU General Public License as published by
-// the Free Software Foundation, either version 2 of the License, or
-// (at your option) any later version.
-//
-// This program is distributed in the hope that it will be useful,
-// but WITHOUT ANY WARRANTY; without even the implied warranty of
-// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
-// GNU General Public License for more details.
-//
-// You should have received a copy of the GNU General Public License
-// along with this program. If not, see .
-//
-
-
-/*------------------------------------------------------------------
- *
- * Module: beacon.c
- *
- * Purpose: Transmit messages on a fixed schedule.
- *
- * Description: Transmit periodic messages as specified in the config file.
- *
- *---------------------------------------------------------------*/
-
-#include
-#include
-#include
-#include
-#include
-#include
-
-#include
-#if __WIN32__
-#include
-#endif
-
-#include "direwolf.h"
-#include "ax25_pad.h"
-#include "textcolor.h"
-#include "audio.h"
-#include "tq.h"
-#include "xmit.h"
-#include "config.h"
-#include "digipeater.h"
-#include "version.h"
-#include "encode_aprs.h"
-#include "beacon.h"
-#include "latlong.h"
-#include "dwgps.h"
-
-
-
-/*
- * Are we using GPS data?
- * Incremented if tracker beacons configured.
- * Cleared if dwgps_init fails.
- */
-
-static int g_using_gps = 0;
-
-/*
- * Save pointers to configuration settings.
- */
-
-static struct misc_config_s *g_misc_config_p;
-static struct digi_config_s *g_digi_config_p;
-
-
-
-#if __WIN32__
-static unsigned __stdcall beacon_thread (void *arg);
-#else
-static void * beacon_thread (void *arg);
-#endif
-
-
-
-/*-------------------------------------------------------------------
- *
- * Name: beacon_init
- *
- * Purpose: Initialize the beacon process.
- *
- * Inputs: pconfig - misc. configuration from config file.
- * pdigi - digipeater configuration from config file.
- * Use to obtain "mycall" for each channel.
- *
- *
- * Outputs: Remember required information for future use.
- *
- * Description: Initialize the queue to be empty and set up other
- * mechanisms for sharing it between different threads.
- *
- * Start up xmit_thread to actually send the packets
- * at the appropriate time.
- *
- *--------------------------------------------------------------------*/
-
-
-
-void beacon_init (struct misc_config_s *pconfig, struct digi_config_s *pdigi)
-{
- time_t now;
- int j;
- int count;
-#if __WIN32__
- HANDLE beacon_th;
-#else
- pthread_t beacon_tid;
-#endif
-
-
-
-#if DEBUG
- text_color_set(DW_COLOR_DEBUG);
- dw_printf ("beacon_init ( ... )\n");
-#endif
-
-
-
-/*
- * Save parameters for later use.
- */
- g_misc_config_p = pconfig;
- g_digi_config_p = pdigi;
-
-/*
- * Precompute the packet contents so any errors are
- * Reported once at start up time rather than for each transmission.
- * If a serious error is found, set type to BEACON_IGNORE and that
- * table entry should be ignored later on.
- */
- for (j=0; jnum_beacons; j++) {
- int chan = g_misc_config_p->beacon[j].chan;
-
- if (chan < 0) chan = 0; /* For IGate, use channel 0 call. */
-
- if (chan < pdigi->num_chans) {
-
- if (strlen(pdigi->mycall[chan]) > 0 && strcasecmp(pdigi->mycall[chan], "NOCALL") != 0) {
-
- switch (g_misc_config_p->beacon[j].btype) {
-
- case BEACON_OBJECT:
-
- /* Object name is required. */
-
- if (strlen(g_misc_config_p->beacon[j].objname) == 0) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Config file, line %d: OBJNAME is required for OBEACON.\n", g_misc_config_p->beacon[j].lineno);
- g_misc_config_p->beacon[j].btype = BEACON_IGNORE;
- continue;
- }
- /* Fall thru. Ignore any warning about missing break. */
-
- case BEACON_POSITION:
-
- /* Location is required. */
-
- if (g_misc_config_p->beacon[j].lat == G_UNKNOWN || g_misc_config_p->beacon[j].lon == G_UNKNOWN) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Config file, line %d: Latitude and longitude are required.\n", g_misc_config_p->beacon[j].lineno);
- g_misc_config_p->beacon[j].btype = BEACON_IGNORE;
- continue;
- }
- break;
-
- case BEACON_TRACKER:
-
-#if defined(GPS_ENABLED) || defined(DEBUG_SIM)
- g_using_gps++;
-#else
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Config file, line %d: GPS tracker feature is not enabled.\n", g_misc_config_p->beacon[j].lineno);
- g_misc_config_p->beacon[j].btype = BEACON_IGNORE;
- continue;
-#endif
- break;
-
- case BEACON_CUSTOM:
-
- /* INFO is required. */
-
- if (g_misc_config_p->beacon[j].custom_info == NULL) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Config file, line %d: INFO is required for custom beacon.\n", g_misc_config_p->beacon[j].lineno);
- g_misc_config_p->beacon[j].btype = BEACON_IGNORE;
- continue;
- }
- break;
-
- case BEACON_IGNORE:
- break;
- }
- }
- else {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Config file, line %d: MYCALL must be set for beacon on channel %d. \n", g_misc_config_p->beacon[j].lineno, chan);
- g_misc_config_p->beacon[j].btype = BEACON_IGNORE;
- }
- }
- else {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Config file, line %d: Invalid channel number %d for beacon. \n", g_misc_config_p->beacon[j].lineno, chan);
- g_misc_config_p->beacon[j].btype = BEACON_IGNORE;
- }
- }
-
-/*
- * Calculate next time for each beacon.
- */
-
- now = time(NULL);
-
- for (j=0; jnum_beacons; j++) {
-#if DEBUG
-
- text_color_set(DW_COLOR_DEBUG);
- dw_printf ("beacon[%d] chan=%d, delay=%d, every=%d\n",
- j,
- g_misc_config_p->beacon[j].chan,
- g_misc_config_p->beacon[j].delay,
- g_misc_config_p->beacon[j].every);
-#endif
- g_misc_config_p->beacon[j].next = now + g_misc_config_p->beacon[j].delay;
- }
-
-
-/*
- * Connect to GPS receiver if any tracker beacons are configured.
- * If open fails, disable all tracker beacons.
- */
-
-#if DEBUG_SIM
-
- g_using_gps = 1;
-
-#elif ENABLE_GPS
-
- if (g_using_gps > 0) {
- int err;
-
- err = dwgps_init();
- if (err != 0) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("All tracker beacons disabled.\n");
- g_using_gps = 0;
-
- for (j=0; jnum_beacons; j++) {
- if (g_misc_config_p->beacon[j].btype == BEACON_TRACKER) {
- g_misc_config_p->beacon[j].btype = BEACON_IGNORE;
- }
- }
- }
-
- }
-#endif
-
-
-/*
- * Start up thread for processing only if at least one is valid.
- */
-
- count = 0;
- for (j=0; jnum_beacons; j++) {
- if (g_misc_config_p->beacon[j].btype != BEACON_IGNORE) {
- count++;
- }
- }
-
- if (count >= 1) {
-
-#if __WIN32__
- beacon_th = (HANDLE)_beginthreadex (NULL, 0, &beacon_thread, NULL, 0, NULL);
- if (beacon_th == NULL) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Could not create beacon thread\n");
- return;
- }
-#else
- int e;
-
- e = pthread_create (&beacon_tid, NULL, beacon_thread, (void *)0);
- if (e != 0) {
- text_color_set(DW_COLOR_ERROR);
- perror("Could not create beacon thread");
- return;
- }
-#endif
- }
-
-
-} /* end beacon_init */
-
-
-
-
-
-/*-------------------------------------------------------------------
- *
- * Name: beacon_thread
- *
- * Purpose: Transmit beacons when it is time.
- *
- * Inputs: g_misc_config_p->beacon
- *
- * Outputs: g_misc_config_p->beacon[].next_time
- *
- * Description: Go to sleep until it is time for the next beacon.
- * Transmit any beacons scheduled for now.
- * Repeat.
- *
- *--------------------------------------------------------------------*/
-
-#define KNOTS_TO_MPH 1.150779
-
-#define MIN(x,y) ((x) < (y) ? (x) : (y))
-
-
-/* Difference between two angles. */
-
-static inline float heading_change (float a, float b)
-{
- float diff;
-
- diff = fabs(a - b);
- if (diff <= 180.)
- return (diff);
- else
- return (360. - diff);
-}
-
-
-#if __WIN32__
-static unsigned __stdcall beacon_thread (void *arg)
-#else
-static void * beacon_thread (void *arg)
-#endif
-{
- int j;
- time_t earliest;
- time_t now;
-
-/*
- * Information from GPS.
- */
- int fix = 0; /* 0 = none, 2 = 2D, 3 = 3D */
- double my_lat = 0; /* degrees */
- double my_lon = 0;
- float my_course = 0; /* degrees */
- float my_speed_knots = 0;
- float my_speed_mph = 0;
- float my_alt = 0; /* meters */
-
-/*
- * SmartBeaconing state.
- */
- time_t sb_prev_time = 0; /* Time of most recent transmission. */
- float sb_prev_course = 0; /* Most recent course reported. */
- //float sb_prev_speed_mph; /* Most recent speed reported. */
- int sb_every; /* Calculated time between transmissions. */
-
-
-#if DEBUG
- struct tm tm;
- char hms[20];
-
- now = time(NULL);
- localtime_r (&now, &tm);
- strftime (hms, sizeof(hms), "%H:%M:%S", &tm);
- text_color_set(DW_COLOR_DEBUG);
- dw_printf ("beacon_thread: started %s\n", hms);
-#endif
- now = time(NULL);
-
- while (1) {
-
- assert (g_misc_config_p->num_beacons >= 1);
-
-/*
- * Sleep until time for the earliest scheduled or
- * the soonest we could transmit due to corner pegging.
- */
-
- earliest = g_misc_config_p->beacon[0].next;
- for (j=1; jnum_beacons; j++) {
- if (g_misc_config_p->beacon[j].btype == BEACON_IGNORE)
- continue;
- earliest = MIN(g_misc_config_p->beacon[j].next, earliest);
- }
-
- if (g_misc_config_p->sb_configured && g_using_gps) {
- earliest = MIN(now + g_misc_config_p->sb_turn_time, earliest);
- earliest = MIN(now + g_misc_config_p->sb_fast_rate, earliest);
- }
-
- if (earliest > now) {
- SLEEP_SEC (earliest - now);
- }
-
-/*
- * Woke up. See what needs to be done.
- */
- now = time(NULL);
-
-#if DEBUG
- localtime_r (&now, &tm);
- strftime (hms, sizeof(hms), "%H:%M:%S", &tm);
- text_color_set(DW_COLOR_DEBUG);
- dw_printf ("beacon_thread: woke up %s\n", hms);
-#endif
-
-/*
- * Get information from GPS if being used.
- * This needs to be done before the next scheduled tracker
- * beacon because corner pegging make it sooner.
- */
-
-#if DEBUG_SIM
- FILE *fp;
- char cs[40];
-
- fp = fopen ("c:\\cygwin\\tmp\\cs", "r");
- if (fp != NULL) {
- fscanf (fp, "%f %f", &my_course, &my_speed_knots);
- fclose (fp);
- }
- else {
- fprintf (stderr, "Can't read /tmp/cs.\n");
- }
- fix = 3;
- my_speed_mph = KNOTS_TO_MPH * my_speed_knots;
- my_lat = 42.99;
- my_lon = 71.99;
- my_alt = 100;
-#else
- if (g_using_gps) {
-
- fix = dwgps_read (&my_lat, &my_lon, &my_speed_knots, &my_course, &my_alt);
- my_speed_mph = KNOTS_TO_MPH * my_speed_knots;
-
- /* Don't complain here for no fix. */
- /* Possibly at the point where about to transmit. */
- }
-#endif
-
-/*
- * Run SmartBeaconing calculation if configured and GPS data available.
- */
- if (g_misc_config_p->sb_configured && g_using_gps && fix >= 2) {
-
- if (my_speed_mph > g_misc_config_p->sb_fast_speed) {
- sb_every = g_misc_config_p->sb_fast_rate;
- }
- else if (my_speed_mph < g_misc_config_p->sb_slow_speed) {
- sb_every = g_misc_config_p->sb_slow_rate;
- }
- else {
- /* Can't divide by 0 assuming sb_slow_speed > 0. */
- sb_every = ( g_misc_config_p->sb_fast_rate * g_misc_config_p->sb_fast_speed ) / my_speed_mph;
- }
-
-#if DEBUG_SIM
- text_color_set(DW_COLOR_DEBUG);
- dw_printf ("SB: fast %d %d slow %d %d speed=%.1f every=%d\n",
- g_misc_config_p->sb_fast_speed, g_misc_config_p->sb_fast_rate,
- g_misc_config_p->sb_slow_speed, g_misc_config_p->sb_slow_rate,
- my_speed_mph, sb_every);
-#endif
-
-/*
- * Test for "Corner Pegging" if moving.
- */
- if (my_speed_mph >= 1.0) {
- int turn_threshold = g_misc_config_p->sb_turn_angle +
- g_misc_config_p->sb_turn_slope / my_speed_mph;
-
-#if DEBUG_SIM
- text_color_set(DW_COLOR_DEBUG);
- dw_printf ("SB-moving: course %.0f prev %.0f thresh %d\n",
- my_course, sb_prev_course, turn_threshold);
-#endif
- if (heading_change(my_course, sb_prev_course) > turn_threshold &&
- now >= sb_prev_time + g_misc_config_p->sb_turn_time) {
-
- /* Send it now. */
- for (j=0; jnum_beacons; j++) {
- if (g_misc_config_p->beacon[j].btype == BEACON_TRACKER) {
- g_misc_config_p->beacon[j].next = now;
- }
- }
- } /* significant change in direction */
- } /* is moving */
- } /* apply SmartBeaconing */
-
-
- for (j=0; jnum_beacons; j++) {
-
- if (g_misc_config_p->beacon[j].btype == BEACON_IGNORE)
- continue;
-
- if (g_misc_config_p->beacon[j].next <= now) {
-
- int strict = 1; /* Strict packet checking because they will go over air. */
- char stemp[20];
- char info[AX25_MAX_INFO_LEN];
- char beacon_text[AX25_MAX_PACKET_LEN];
- packet_t pp = NULL;
- char mycall[AX25_MAX_ADDR_LEN];
-
-/*
- * Obtain source call for the beacon.
- * This could potentially be different on different channels.
- * When sending to IGate server, use call from first radio channel.
- *
- * Check added in version 1.0a. Previously used index of -1.
- */
- strcpy (mycall, "NOCALL");
-
- if (g_misc_config_p->beacon[j].chan == -1) {
- strcpy (mycall, g_digi_config_p->mycall[0]);
- }
- else {
- strcpy (mycall, g_digi_config_p->mycall[g_misc_config_p->beacon[j].chan]);
- }
-
- if (strlen(mycall) == 0 || strcmp(mycall, "NOCALL") == 0) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("MYCALL not set for beacon in config file line %d.\n", g_misc_config_p->beacon[j].lineno);
- continue;
- }
-
-/*
- * Prepare the monitor format header.
- */
-
- strcpy (beacon_text, mycall);
- strcat (beacon_text, ">");
- sprintf (stemp, "%s%1d%1d", APP_TOCALL, MAJOR_VERSION, MINOR_VERSION);
- strcat (beacon_text, stemp);
- if (g_misc_config_p->beacon[j].via) {
- strcat (beacon_text, ",");
- strcat (beacon_text, g_misc_config_p->beacon[j].via);
- }
- strcat (beacon_text, ":");
-
-/*
- * Add the info part depending on beacon type.
- */
- switch (g_misc_config_p->beacon[j].btype) {
-
- case BEACON_POSITION:
-
- encode_position (g_misc_config_p->beacon[j].compress, g_misc_config_p->beacon[j].lat, g_misc_config_p->beacon[j].lon,
- g_misc_config_p->beacon[j].symtab, g_misc_config_p->beacon[j].symbol,
- g_misc_config_p->beacon[j].power, g_misc_config_p->beacon[j].height, g_misc_config_p->beacon[j].gain, g_misc_config_p->beacon[j].dir,
- 0, 0, /* course, speed */
- g_misc_config_p->beacon[j].freq, g_misc_config_p->beacon[j].tone, g_misc_config_p->beacon[j].offset,
- g_misc_config_p->beacon[j].comment,
- info);
- strcat (beacon_text, info);
- g_misc_config_p->beacon[j].next = now + g_misc_config_p->beacon[j].every;
- break;
-
- case BEACON_OBJECT:
-
- encode_object (g_misc_config_p->beacon[j].objname, g_misc_config_p->beacon[j].compress, 0, g_misc_config_p->beacon[j].lat, g_misc_config_p->beacon[j].lon,
- g_misc_config_p->beacon[j].symtab, g_misc_config_p->beacon[j].symbol,
- g_misc_config_p->beacon[j].power, g_misc_config_p->beacon[j].height, g_misc_config_p->beacon[j].gain, g_misc_config_p->beacon[j].dir,
- 0, 0, /* course, speed */
- g_misc_config_p->beacon[j].freq, g_misc_config_p->beacon[j].tone, g_misc_config_p->beacon[j].offset, g_misc_config_p->beacon[j].comment,
- info);
- strcat (beacon_text, info);
- g_misc_config_p->beacon[j].next = now + g_misc_config_p->beacon[j].every;
- break;
-
- case BEACON_TRACKER:
-
- if (fix >= 2) {
- int coarse; /* APRS encoder wants 1 - 360. */
- /* 0 means none or unknown. */
-
- coarse = (int)roundf(my_course);
- if (coarse == 0) {
- coarse = 360;
- }
- encode_position (g_misc_config_p->beacon[j].compress,
- my_lat, my_lon,
- g_misc_config_p->beacon[j].symtab, g_misc_config_p->beacon[j].symbol,
- g_misc_config_p->beacon[j].power, g_misc_config_p->beacon[j].height, g_misc_config_p->beacon[j].gain, g_misc_config_p->beacon[j].dir,
- coarse, (int)roundf(my_speed_knots),
- g_misc_config_p->beacon[j].freq, g_misc_config_p->beacon[j].tone, g_misc_config_p->beacon[j].offset,
- g_misc_config_p->beacon[j].comment,
- info);
- strcat (beacon_text, info);
-
- /* Remember most recent tracker beacon. */
-
- sb_prev_time = now;
- sb_prev_course = my_course;
- //sb_prev_speed_mph = my_speed_mph;
-
- /* Calculate time for next transmission. */
- if (g_misc_config_p->sb_configured) {
- g_misc_config_p->beacon[j].next = now + sb_every;
- }
- else {
- g_misc_config_p->beacon[j].next = now + g_misc_config_p->beacon[j].every;
- }
- }
- else {
- g_misc_config_p->beacon[j].next = now + 2;
- continue; /* No fix. Try again in a couple seconds. */
- }
- break;
-
- case BEACON_CUSTOM:
-
- if (g_misc_config_p->beacon[j].custom_info != NULL) {
- strcat (beacon_text, g_misc_config_p->beacon[j].custom_info);
- }
- else {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Internal error. custom_info is null. %s %d\n", __FILE__, __LINE__);
- continue;
- }
- g_misc_config_p->beacon[j].next = now + g_misc_config_p->beacon[j].every;
- break;
-
- case BEACON_IGNORE:
- default:
- break;
-
- } /* switch beacon type. */
-
-/*
- * Parse monitor format into form for transmission.
- */
- pp = ax25_from_text (beacon_text, strict);
-
- if (pp != NULL) {
-
- /* Send to IGate server or radio. */
-
- if (g_misc_config_p->beacon[j].chan == -1) {
-#if 1
- text_color_set(DW_COLOR_XMIT);
- dw_printf ("[ig] %s\n", beacon_text);
-#endif
- igate_send_rec_packet (0, pp);
- ax25_delete (pp);
- }
- else {
- tq_append (g_misc_config_p->beacon[j].chan, TQ_PRIO_1_LO, pp);
- }
- }
- else {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Config file: Failed to parse packet constructed from line %d.\n", g_misc_config_p->beacon[j].lineno);
- dw_printf ("%s\n", beacon_text);
- }
-
- } /* if time to send it */
-
- } /* for each configured beacon */
-
- } /* do forever */
-
-} /* end beacon_thread */
-
-/* end beacon.c */
diff --git a/beacon.h b/beacon.h
deleted file mode 100644
index ed8d1989..00000000
--- a/beacon.h
+++ /dev/null
@@ -1,4 +0,0 @@
-
-/* beacon.h */
-
-void beacon_init (struct misc_config_s *pconfig, struct digi_config_s *pdigi);
diff --git a/cmake/cpack/CMakeLists.txt b/cmake/cpack/CMakeLists.txt
new file mode 100644
index 00000000..845c377c
--- /dev/null
+++ b/cmake/cpack/CMakeLists.txt
@@ -0,0 +1 @@
+include(CPack)
diff --git a/cmake/cpack/direwolf.desktop.in b/cmake/cpack/direwolf.desktop.in
new file mode 100644
index 00000000..79c63aa6
--- /dev/null
+++ b/cmake/cpack/direwolf.desktop.in
@@ -0,0 +1,10 @@
+[Desktop Entry]
+Name=@APPLICATION_NAME@
+Comment=APRS Soundcard TNC
+Exec=@APPLICATION_DESKTOP_EXEC@
+Icon=@CMAKE_PROJECT_NAME@_icon.png
+StartupNotify=true
+Terminal=false
+Type=Application
+Categories=HamRadio
+Keywords=Ham Radio;APRS;Soundcard TNC;KISS;AGWPE;AX.25
\ No newline at end of file
diff --git a/cmake/cpack/direwolf.rc b/cmake/cpack/direwolf.rc
new file mode 100644
index 00000000..99de6d9f
--- /dev/null
+++ b/cmake/cpack/direwolf.rc
@@ -0,0 +1 @@
+MAINICON ICON "direwolf_icon.ico"
\ No newline at end of file
diff --git a/dw-icon.ico b/cmake/cpack/direwolf_icon.ico
similarity index 100%
rename from dw-icon.ico
rename to cmake/cpack/direwolf_icon.ico
diff --git a/dw-icon.png b/cmake/cpack/direwolf_icon.png
similarity index 100%
rename from dw-icon.png
rename to cmake/cpack/direwolf_icon.png
diff --git a/cmake/cpu_tests/test_arm_neon.cxx b/cmake/cpu_tests/test_arm_neon.cxx
new file mode 100644
index 00000000..cb48159f
--- /dev/null
+++ b/cmake/cpu_tests/test_arm_neon.cxx
@@ -0,0 +1,16 @@
+#include
+#include
+#include
+#include
+
+void signalHandler(int signum) {
+ exit(signum); // SIGILL = 4
+}
+
+int main(int argc, char* argv[])
+{
+ signal(SIGILL, signalHandler);
+ uint32x4_t x={0};
+ x=veorq_u32(x,x);
+ return 0;
+}
diff --git a/cmake/cpu_tests/test_x86_avx.cxx b/cmake/cpu_tests/test_x86_avx.cxx
new file mode 100644
index 00000000..2344fbcb
--- /dev/null
+++ b/cmake/cpu_tests/test_x86_avx.cxx
@@ -0,0 +1,15 @@
+#include
+#include
+#include
+
+void signalHandler(int signum) {
+ exit(signum); // SIGILL = 4
+}
+
+int main(int argc, char* argv[])
+{
+ signal(SIGILL, signalHandler);
+ __m256d x = _mm256_setzero_pd();
+ x=_mm256_addsub_pd(x,x);
+ return 0;
+}
diff --git a/cmake/cpu_tests/test_x86_avx2.cxx b/cmake/cpu_tests/test_x86_avx2.cxx
new file mode 100644
index 00000000..369186de
--- /dev/null
+++ b/cmake/cpu_tests/test_x86_avx2.cxx
@@ -0,0 +1,15 @@
+#include
+#include
+#include
+
+void signalHandler(int signum) {
+ exit(signum); // SIGILL = 4
+}
+
+int main(int argc, char* argv[])
+{
+ signal(SIGILL, signalHandler);
+ __m256i x = _mm256_setzero_si256();
+ x=_mm256_add_epi64 (x,x);
+ return 0;
+}
diff --git a/cmake/cpu_tests/test_x86_avx512.cxx b/cmake/cpu_tests/test_x86_avx512.cxx
new file mode 100644
index 00000000..eed07d3f
--- /dev/null
+++ b/cmake/cpu_tests/test_x86_avx512.cxx
@@ -0,0 +1,16 @@
+#include
+#include
+#include
+#include
+
+void signalHandler(int signum) {
+ exit(signum); // SIGILL = 4
+}
+
+int main(int argc, char* argv[])
+{
+ signal(SIGILL, signalHandler);
+ uint64_t x[8] = {0};
+ __m512i y = _mm512_loadu_si512((__m512i*)x);
+ return 0;
+}
diff --git a/cmake/cpu_tests/test_x86_sse2.cxx b/cmake/cpu_tests/test_x86_sse2.cxx
new file mode 100644
index 00000000..98eb27ea
--- /dev/null
+++ b/cmake/cpu_tests/test_x86_sse2.cxx
@@ -0,0 +1,15 @@
+#include
+#include
+#include
+
+void signalHandler(int signum) {
+ exit(signum); // SIGILL = 4
+}
+
+int main(int argc, char* argv[])
+{
+ signal(SIGILL, signalHandler);
+ __m128i x = _mm_setzero_si128();
+ x=_mm_add_epi64(x,x);
+ return 0;
+}
diff --git a/cmake/cpu_tests/test_x86_sse3.cxx b/cmake/cpu_tests/test_x86_sse3.cxx
new file mode 100644
index 00000000..70a31e3f
--- /dev/null
+++ b/cmake/cpu_tests/test_x86_sse3.cxx
@@ -0,0 +1,16 @@
+#include
+#include
+#include
+#include
+
+void signalHandler(int signum) {
+ exit(signum); // SIGILL = 4
+}
+
+int main(int argc, char* argv[])
+{
+ signal(SIGILL, signalHandler);
+ __m128d x = _mm_setzero_pd();
+ x=_mm_addsub_pd(x,x);
+ return 0;
+}
diff --git a/cmake/cpu_tests/test_x86_sse41.cxx b/cmake/cpu_tests/test_x86_sse41.cxx
new file mode 100644
index 00000000..e08697fb
--- /dev/null
+++ b/cmake/cpu_tests/test_x86_sse41.cxx
@@ -0,0 +1,18 @@
+#include
+#include
+#include
+#include
+
+void signalHandler(int signum) {
+ exit(signum); // SIGILL = 4
+}
+
+int main(int argc, char* argv[])
+{
+ signal(SIGILL, signalHandler);
+ __m128i x = _mm_setzero_si128();
+ __m128i a = _mm_setzero_si128();
+ __m128i b = _mm_setzero_si128();
+ x=_mm_blend_epi16(a,b,4);
+ return 0;
+}
diff --git a/cmake/cpu_tests/test_x86_sse42.cxx b/cmake/cpu_tests/test_x86_sse42.cxx
new file mode 100644
index 00000000..58032a57
--- /dev/null
+++ b/cmake/cpu_tests/test_x86_sse42.cxx
@@ -0,0 +1,15 @@
+#include
+#include
+#include
+
+void signalHandler(int signum) {
+ exit(signum); // SIGILL = 4
+}
+
+int main(int argc, char* argv[])
+{
+ signal(SIGILL, signalHandler);
+ unsigned int x=32;
+ x=_mm_crc32_u8(x,4);
+ return 0;
+}
diff --git a/cmake/cpu_tests/test_x86_ssse3.cxx b/cmake/cpu_tests/test_x86_ssse3.cxx
new file mode 100644
index 00000000..01688f4a
--- /dev/null
+++ b/cmake/cpu_tests/test_x86_ssse3.cxx
@@ -0,0 +1,16 @@
+#include
+#include
+#include
+#include
+
+void signalHandler(int signum) {
+ exit(signum); // SIGILL = 4
+}
+
+int main(int argc, char* argv[])
+{
+ signal(SIGILL, signalHandler);
+ __m128i x = _mm_setzero_si128();
+ x=_mm_alignr_epi8(x,x,2);
+ return 0;
+}
diff --git a/cmake/include/uninstall.cmake.in b/cmake/include/uninstall.cmake.in
new file mode 100644
index 00000000..2037e365
--- /dev/null
+++ b/cmake/include/uninstall.cmake.in
@@ -0,0 +1,21 @@
+if(NOT EXISTS "@CMAKE_CURRENT_BINARY_DIR@/install_manifest.txt")
+ message(FATAL_ERROR "Cannot find install manifest: @CMAKE_CURRENT_BINARY_DIR@/install_manifest.txt")
+endif(NOT EXISTS "@CMAKE_CURRENT_BINARY_DIR@/install_manifest.txt")
+
+file(READ "@CMAKE_CURRENT_BINARY_DIR@/install_manifest.txt" files)
+string(REGEX REPLACE "\n" ";" files "${files}")
+foreach(file ${files})
+ message(STATUS "Uninstalling $ENV{DESTDIR}${file}")
+ if(IS_SYMLINK "$ENV{DESTDIR}${file}" OR EXISTS "$ENV{DESTDIR}${file}")
+ exec_program(
+ "@CMAKE_COMMAND@" ARGS "-E remove \"$ENV{DESTDIR}${file}\""
+ OUTPUT_VARIABLE rm_out
+ RETURN_VALUE rm_retval
+ )
+ if(NOT "${rm_retval}" STREQUAL 0)
+ message(FATAL_ERROR "Problem when removing $ENV{DESTDIR}${file}")
+ endif(NOT "${rm_retval}" STREQUAL 0)
+ else(IS_SYMLINK "$ENV{DESTDIR}${file}" OR EXISTS "$ENV{DESTDIR}${file}")
+ message(STATUS "File $ENV{DESTDIR}${file} does not exist.")
+ endif(IS_SYMLINK "$ENV{DESTDIR}${file}" OR EXISTS "$ENV{DESTDIR}${file}")
+endforeach(file)
diff --git a/cmake/modules/FindAvahi.cmake b/cmake/modules/FindAvahi.cmake
new file mode 100644
index 00000000..9dc27618
--- /dev/null
+++ b/cmake/modules/FindAvahi.cmake
@@ -0,0 +1,19 @@
+
+find_library(AVAHI_COMMON_LIBRARY NAMES avahi-common PATHS ${PC_AVAHI_CLIENT_LIBRARY_DIRS})
+if(AVAHI_COMMON_LIBRARY)
+ set(AVAHI_COMMON_FOUND TRUE)
+endif()
+
+find_library(AVAHI_CLIENT_LIBRARY NAMES avahi-client PATHS ${PC_AVAHI_CLIENT_LIBRARY_DIRS})
+if(AVAHI_CLIENT_LIBRARY)
+ set(AVAHI_CLIENT_FOUND TRUE)
+endif()
+
+FIND_PACKAGE_HANDLE_STANDARD_ARGS(Avahi DEFAULT_MSG AVAHI_COMMON_FOUND AVAHI_CLIENT_FOUND)
+
+if (AVAHI_FOUND)
+ set(AVAHI_INCLUDE_DIRS ${AVAHI_UI_INCLUDE_DIR})
+ set(AVAHI_LIBRARIES ${AVAHI_COMMON_LIBRARY} ${AVAHI_CLIENT_LIBRARY})
+endif()
+
+mark_as_advanced(AVAHI_INCLUDE_DIRS AVAHI_LIBRARIES)
diff --git a/cmake/modules/FindCPUflags.cmake b/cmake/modules/FindCPUflags.cmake
new file mode 100644
index 00000000..abb9e184
--- /dev/null
+++ b/cmake/modules/FindCPUflags.cmake
@@ -0,0 +1,383 @@
+# Clang or AppleClang (see CMP0025)
+if(NOT DEFINED C_CLANG AND CMAKE_CXX_COMPILER_ID MATCHES "Clang")
+ set(C_CLANG 1)
+elseif(NOT DEFINED C_GCC AND CMAKE_CXX_COMPILER_ID MATCHES "GNU")
+ set(C_GCC 1)
+elseif(NOT DEFINED C_MSVC AND CMAKE_CXX_COMPILER_ID MATCHES "MSVC")
+ set(C_MSVC 1)
+endif()
+
+# Detect current compilation architecture and create standard definitions
+include(CheckSymbolExists)
+function(detect_architecture symbol arch)
+ if (NOT DEFINED ARCHITECTURE)
+ set(CMAKE_REQUIRED_QUIET 1)
+ check_symbol_exists("${symbol}" "" ARCHITECTURE_${arch})
+ unset(CMAKE_REQUIRED_QUIET)
+
+ # The output variable needs to be unique across invocations otherwise
+ # CMake's crazy scope rules will keep it defined
+ if (ARCHITECTURE_${arch})
+ set(ARCHITECTURE "${arch}" PARENT_SCOPE)
+ set(ARCHITECTURE_${arch} 1 PARENT_SCOPE)
+ add_definitions(-DARCHITECTURE_${arch}=1)
+ endif()
+ endif()
+endfunction()
+
+# direwolf versions thru 1.5 were available pre-built for 32 bit Windows targets.
+# Research and experimentation revealed that the SSE instructions made a big
+# difference in runtime speed but SSE2 and later were not significantly better
+# for this application. I decided to build with only the SSE instructions making
+# the Pentium 3 the minimum requirement. SSE2 would require at least a Pentium 4
+# and offered no significant performance advantage.
+# These are ancient history - from the previous Century - but old computers, generally
+# considered useless for anything else, often end up in the ham shack.
+#
+# When cmake was first used for direwolf, the default target became 64 bit and the
+# SSE2, SSE3, SSE4.1, and SSE4.2 instructions were automatically enabled based on the
+# build machine capabilities. This was fine until I tried running the application
+# on a computer much older than where it was built. It did not have the SSE4 instructions
+# and the application died without a clue for the reason.
+# Just how much benefit do these new instructions provide for this application?
+#
+# These were all run on the same computer, but compiled in different ways.
+# Times to run atest with Track 1 of the TNC test CD:
+#
+# direwolf 1.5 - 32 bit target - gcc 6.3.0
+#
+# 60.4 sec. Pentium 3 with SSE
+#
+# direwolf 1.6 - 32 bit target - gcc 7.4.0
+#
+# 81.0 sec. with no SIMD instructions enabled.
+# 54.4 sec. with SSE
+# 52.0 sec. with SSE2
+# 52.4 sec. with SSE2, SSE3
+# 52.3 sec. with SSE2, SSE3, SSE4.1, SSE4.2
+# 49.9 sec. Fedora standard: -m32 -march=i686 -mtune=generic -msse2 -mfpmath=sse
+# 50.4 sec. sse not sse2: -m32 -march=i686 -mtune=generic -msse -mfpmath=sse
+#
+# That's what I found several years ago with a much older compiler.
+# The original SSE helped a lot but SSE2 and later made little difference.
+#
+# direwolf 1.6 - 64 bit target - gcc 7.4.0
+#
+# 34.8 sec. with no SIMD instructions enabled.
+# 34.8 sec. with SSE
+# 34.8 sec. with SSE2
+# 34.2 sec. with SSE2, SSE3
+# 33.5 sec. with SSE2, SSE3, SSE4.1, SSE4.2
+# 33.4 Fedora standard: -mtune=generic
+#
+# Why do we see such little variation? 64-bit target implies
+# SSE, SSE2, SSE3 instructions are available.
+#
+# Building for a 64 bit target makes it run about 1.5x faster on the same hardware.
+#
+# The default will be set for maximum portability so packagers won't need to
+# to anything special.
+#
+#
+# While ENABLE_GENERIC also had the desired result (for x86_64), I don't think
+# it is the right approach. It prevents the detection of the architecture,
+# i.e. x86, x86_64, ARM, ARM64. That's why it did not go looking for the various
+# SSE instructions. For x86, we would miss out on using SSE.
+
+if (NOT ENABLE_GENERIC)
+ if (C_MSVC)
+ detect_architecture("_M_AMD64" x86_64)
+ detect_architecture("_M_IX86" x86)
+ detect_architecture("_M_ARM" ARM)
+ detect_architecture("_M_ARM64" ARM64)
+ else()
+ detect_architecture("__x86_64__" x86_64)
+ detect_architecture("__i386__" x86)
+ detect_architecture("__arm__" ARM)
+ detect_architecture("__aarch64__" ARM64)
+ endif()
+endif()
+if (NOT DEFINED ARCHITECTURE)
+ set(ARCHITECTURE "GENERIC")
+ set(ARCHITECTURE_GENERIC 1)
+ add_definitions(-DARCHITECTURE_GENERIC=1)
+endif()
+message(STATUS "Target architecture: ${ARCHITECTURE}")
+
+set(TEST_DIR ${PROJECT_SOURCE_DIR}/cmake/cpu_tests)
+
+# flag that set the minimum cpu flag requirements
+# used to create re-distribuitable binary
+
+if (${ARCHITECTURE} MATCHES "x86_64|x86" AND (FORCE_SSE OR FORCE_SSSE3 OR FORCE_SSE41))
+ if (FORCE_SSE)
+ set(HAS_SSE ON CACHE BOOL "SSE SIMD enabled")
+ if(C_GCC OR C_CLANG)
+ if (${ARCHITECTURE} MATCHES "x86_64")
+ # All 64-bit capable chips support MMX, SSE, SSE2, and SSE3
+ # so they are all enabled automatically. We don't want to use
+ # SSE4, based on build machine capabilites, because the application
+ # would not run properly on an older CPU.
+ set( CMAKE_C_FLAGS "${CMAKE_C_FLAGS} -mtune=generic" )
+ set( CMAKE_CXX_FLAGS "${CMAKE_CXX_FLAGS} -mtune=generic" )
+ else()
+ # Fedora standard uses -msse2 here.
+ # I dropped it down to -msse for greater compatibility and little penalty.
+ set( CMAKE_C_FLAGS "${CMAKE_C_FLAGS} -m32 -march=i686 -mtune=generic -msse -mfpmath=sse" )
+ set( CMAKE_CXX_FLAGS "${CMAKE_CXX_FLAGS} -m32 -march=i686 -mtune=generic -msse -mfpmath=sse" )
+ endif()
+ message(STATUS "Use SSE SIMD instructions")
+ add_definitions(-DUSE_SSE)
+ elseif(C_MSVC)
+ set( CMAKE_C_FLAGS_DEBUG "${CMAKE_C_FLAGS_DEBUG} /arch:SSE" )
+ set( CMAKE_CXX_FLAGS_DEBUG "${CMAKE_CXX_FLAGS_DEBUG} /arch:SSE" )
+ set( CMAKE_C_FLAGS_RELEASE "${CMAKE_C_FLAGS_RELEASE} /Oi /GL /Ot /Ox" )
+ set( CMAKE_CXX_FLAGS_RELEASE "${CMAKE_CXX_FLAGS_RELEASE} /Oi /GL /Ot /Ox" )
+ set( CMAKE_EXE_LINKER_FLAGS_RELEASE "${CMAKE_EXE_LINKER_FLAGS_RELEASE} /LTCG" )
+ message(STATUS "Use MSVC SSSE3 SIMD instructions")
+ add_definitions (/D "_CRT_SECURE_NO_WARNINGS")
+ add_definitions(-DUSE_SSSE3)
+ endif()
+ elseif (FORCE_SSSE3)
+ set(HAS_SSSE3 ON CACHE BOOL "SSSE3 SIMD enabled")
+ if(C_GCC OR C_CLANG)
+ set( CMAKE_C_FLAGS "${CMAKE_C_FLAGS} -mssse3" )
+ set( CMAKE_CXX_FLAGS "${CMAKE_CXX_FLAGS} -mssse3" )
+ message(STATUS "Use SSSE3 SIMD instructions")
+ add_definitions(-DUSE_SSSE3)
+ elseif(C_MSVC)
+ set( CMAKE_C_FLAGS_DEBUG "${CMAKE_C_FLAGS_DEBUG} /arch:SSSE3" )
+ set( CMAKE_CXX_FLAGS_DEBUG "${CMAKE_CXX_FLAGS_DEBUG} /arch:SSSE3" )
+ set( CMAKE_C_FLAGS_RELEASE "${CMAKE_C_FLAGS_RELEASE} /Oi /GL /Ot /Ox" )
+ set( CMAKE_CXX_FLAGS_RELEASE "${CMAKE_CXX_FLAGS_RELEASE} /Oi /GL /Ot /Ox" )
+ set( CMAKE_EXE_LINKER_FLAGS_RELEASE "${CMAKE_EXE_LINKER_FLAGS_RELEASE} /LTCG" )
+ message(STATUS "Use MSVC SSSE3 SIMD instructions")
+ add_definitions (/D "_CRT_SECURE_NO_WARNINGS")
+ add_definitions(-DUSE_SSSE3)
+ endif()
+ elseif (FORCE_SSE41)
+ set(HAS_SSSE3 ON CACHE BOOL "SSSE3 SIMD enabled")
+ set(HAS_SSE4_1 ON CACHE BOOL "Architecture has SSE 4.1 SIMD enabled")
+ if(C_GCC OR C_CLANG)
+ set( CMAKE_C_FLAGS "${CMAKE_C_FLAGS} -msse4.1" )
+ set( CMAKE_CXX_FLAGS "${CMAKE_CXX_FLAGS} -msse4.1" )
+ message(STATUS "Use SSE 4.1 SIMD instructions")
+ add_definitions(-DUSE_SSSE3)
+ add_definitions(-DUSE_SSE4_1)
+ elseif(C_MSVC)
+ # seems that from MSVC 2015 comiler doesn't support those flags
+ set( CMAKE_C_FLAGS_DEBUG "${CMAKE_C_FLAGS_DEBUG} /arch:SSE4_1" )
+ set( CMAKE_CXX_FLAGS_DEBUG "${CMAKE_CXX_FLAGS_DEBUG} /arch:SSE4_1" )
+ set( CMAKE_C_FLAGS_RELEASE "${CMAKE_C_FLAGS_RELEASE} /Oi /GL /Ot /Ox" )
+ set( CMAKE_CXX_FLAGS_RELEASE "${CMAKE_CXX_FLAGS_RELEASE} /Oi /GL /Ot /Ox" )
+ set( CMAKE_EXE_LINKER_FLAGS_RELEASE "${CMAKE_EXE_LINKER_FLAGS_RELEASE} /LTCG" )
+ message(STATUS "Use SSE 4.1 SIMD instructions")
+ add_definitions (/D "_CRT_SECURE_NO_WARNINGS")
+ add_definitions(-DUSE_SSSE3)
+ add_definitions(-DUSE_SSE4_1)
+ endif()
+ endif()
+else ()
+ if (${ARCHITECTURE} MATCHES "x86_64|x86")
+ if(C_MSVC)
+ try_run(RUN_SSE2 COMPILE_SSE2 "${CMAKE_BINARY_DIR}/tmp" "${TEST_DIR}/test_x86_sse2.cxx" COMPILE_DEFINITIONS /O0)
+ else()
+ try_run(RUN_SSE2 COMPILE_SSE2 "${CMAKE_BINARY_DIR}/tmp" "${TEST_DIR}/test_x86_sse2.cxx" COMPILE_DEFINITIONS -msse2 -O0)
+ endif()
+ if(COMPILE_SSE2 AND RUN_SSE2 EQUAL 0)
+ set(HAS_SSE2 ON CACHE BOOL "Architecture has SSSE2 SIMD enabled")
+ message(STATUS "Use SSE2 SIMD instructions")
+ if(C_GCC OR C_CLANG)
+ set( CMAKE_C_FLAGS "${CMAKE_C_FLAGS} -msse2" )
+ set( CMAKE_CXX_FLAGS "${CMAKE_CXX_FLAGS} -msse2" )
+ add_definitions(-DUSE_SSE2)
+ elseif(C_MSVC)
+ set( CMAKE_C_FLAGS_DEBUG "${CMAKE_C_FLAGS_DEBUG} /arch:SSE2" )
+ set( CMAKE_CXX_FLAGS_DEBUG "${CMAKE_CXX_FLAGS_DEBUG} /arch:SSE2" )
+ set( CMAKE_C_FLAGS_RELEASE "${CMAKE_C_FLAGS_RELEASE} /Oi /GL /Ot /Ox /arch:SSE2" )
+ set( CMAKE_CXX_FLAGS_RELEASE "${CMAKE_CXX_FLAGS_RELEASE} /Oi /GL /Ot /Ox /arch:SSE2" )
+ set( CMAKE_EXE_LINKER_FLAGS_RELEASE "${CMAKE_EXE_LINKER_FLAGS_RELEASE} /LTCG" )
+ add_definitions (/D "_CRT_SECURE_NO_WARNINGS")
+ add_definitions(-DUSE_SSE2)
+ endif()
+ else()
+ set(HAS_SSE2 OFF CACHE BOOL "Architecture does not have SSSE2 SIMD enabled")
+ endif()
+ if(C_MSVC)
+ try_run(RUN_SSSE3 COMPILE_SSSE3 "${CMAKE_BINARY_DIR}/tmp" "${TEST_DIR}/test_x86_ssse3.cxx" COMPILE_DEFINITIONS /O0)
+ else()
+ try_run(RUN_SSSE3 COMPILE_SSSE3 "${CMAKE_BINARY_DIR}/tmp" "${TEST_DIR}/test_x86_ssse3.cxx" COMPILE_DEFINITIONS -mssse3 -O0)
+ endif()
+ if(COMPILE_SSSE3 AND RUN_SSSE3 EQUAL 0)
+ set(HAS_SSSE3 ON CACHE BOOL "Architecture has SSSE3 SIMD enabled")
+ message(STATUS "Use SSSE3 SIMD instructions")
+ if(C_GCC OR C_CLANG)
+ set( CMAKE_C_FLAGS "${CMAKE_C_FLAGS} -mssse3" )
+ set( CMAKE_CXX_FLAGS "${CMAKE_CXX_FLAGS} -mssse3" )
+ add_definitions(-DUSE_SSSE3)
+ elseif(C_MSVC)
+ # seems not present on MSVC 2017
+ #set( CMAKE_CXX_FLAGS_RELEASE "${CMAKE_CXX_FLAGS_RELEASE} /Oi /GL /Ot /Ox /arch:SSSE3" )
+ set( CMAKE_C_FLAGS_RELEASE "${CMAKE_CXX_FLAGS_RELEASE} /Oi /GL /Ot /Ox" )
+ set( CMAKE_CXX_FLAGS_RELEASE "${CMAKE_CXX_FLAGS_RELEASE} /Oi /GL /Ot /Ox" )
+ set( CMAKE_EXE_LINKER_FLAGS_RELEASE "${CMAKE_EXE_LINKER_FLAGS_RELEASE} /LTCG" )
+ add_definitions (/D "_CRT_SECURE_NO_WARNINGS")
+ add_definitions(-DUSE_SSSE3)
+ endif()
+ else()
+ set(HAS_SSSE3 OFF CACHE BOOL "Architecture does not have SSSE3 SIMD enabled")
+ endif()
+ if(C_MSVC)
+ try_run(RUN_SSE4_1 COMPILE_SSE4_1 "${CMAKE_BINARY_DIR}/tmp" "${TEST_DIR}/test_x86_sse41.cxx" COMPILE_DEFINITIONS /O0)
+ else()
+ try_run(RUN_SSE4_1 COMPILE_SSE4_1 "${CMAKE_BINARY_DIR}/tmp" "${TEST_DIR}/test_x86_sse41.cxx" COMPILE_DEFINITIONS -msse4.1 -O0)
+ endif()
+ if(COMPILE_SSE4_1 AND RUN_SSE4_1 EQUAL 0)
+ set(HAS_SSE4_1 ON CACHE BOOL "Architecture has SSE 4.1 SIMD enabled")
+ message(STATUS "Use SSE 4.1 SIMD instructions")
+ if(C_GCC OR C_CLANG)
+ set( CMAKE_C_FLAGS "${CMAKE_C_FLAGS} -msse4.1" )
+ set( CMAKE_CXX_FLAGS "${CMAKE_CXX_FLAGS} -msse4.1" )
+ add_definitions(-DUSE_SSE4_1)
+ elseif(C_MSVC)
+ # seems not present on MSVC 2017
+ #set( CMAKE_CXX_FLAGS_DEBUG "${CMAKE_CXX_FLAGS_DEBUG} /arch:SSE4_1" )
+ #set( CMAKE_CXX_FLAGS_RELEASE "${CMAKE_CXX_FLAGS_RELEASE} /Oi /GL /Ot /Ox /arch:SSE4_1" )
+ set( CMAKE_C_FLAGS_RELEASE "${CMAKE_C_FLAGS_RELEASE} /Oi /GL /Ot /Ox" )
+ set( CMAKE_CXX_FLAGS_RELEASE "${CMAKE_CXX_FLAGS_RELEASE} /Oi /GL /Ot /Ox" )
+ set( CMAKE_EXE_LINKER_FLAGS_RELEASE "${CMAKE_EXE_LINKER_FLAGS_RELEASE} /LTCG" )
+ add_definitions (/D "_CRT_SECURE_NO_WARNINGS")
+ add_definitions(-DUSE_SSE4_1)
+ endif()
+ else()
+ set(HAS_SSE4_1 OFF CACHE BOOL "Architecture does not have SSE 4.1 SIMD enabled")
+ endif()
+ if(C_MSVC)
+ try_run(RUN_SSE4_2 COMPILE_SSE4_2 "${CMAKE_BINARY_DIR}/tmp" "${TEST_DIR}/test_x86_sse42.cxx" COMPILE_DEFINITIONS /O0)
+ else()
+ try_run(RUN_SSE4_2 COMPILE_SSE4_2 "${CMAKE_BINARY_DIR}/tmp" "${TEST_DIR}/test_x86_sse42.cxx" COMPILE_DEFINITIONS -msse4.2 -O0)
+ endif()
+ if(COMPILE_SSE4_2 AND RUN_SSE4_2 EQUAL 0)
+ set(HAS_SSE4_2 ON CACHE BOOL "Architecture has SSE 4.2 SIMD enabled")
+ message(STATUS "Use SSE 4.2 SIMD instructions")
+ if(C_GCC OR C_CLANG)
+ set( CMAKE_C_FLAGS "${CMAKE_C_FLAGS} -msse4.2" )
+ set( CMAKE_CXX_FLAGS "${CMAKE_CXX_FLAGS} -msse4.2" )
+ add_definitions(-DUSE_SSE4_2)
+ elseif(C_MSVC)
+ # seems not present on MSVC 2017
+ #set( CMAKE_CXX_FLAGS_DEBUG "${CMAKE_CXX_FLAGS_DEBUG} /arch:SSE4_2" )
+ #set( CMAKE_CXX_FLAGS_RELEASE "${CMAKE_CXX_FLAGS_RELEASE} /Oi /GL /Ot /Ox /arch:SSE4_2" )
+ set( CMAKE_C_FLAGS_RELEASE "${CMAKE_C_FLAGS_RELEASE} /Oi /GL /Ot /Ox" )
+ set( CMAKE_CXX_FLAGS_RELEASE "${CMAKE_C_FLAGS_RELEASE} /Oi /GL /Ot /Ox" )
+ set( CMAKE_EXE_LINKER_FLAGS_RELEASE "${CMAKE_EXE_LINKER_FLAGS_RELEASE} /LTCG" )
+ add_definitions (/D "_CRT_SECURE_NO_WARNINGS")
+ add_definitions(-DUSE_SSE4_2)
+ endif()
+ else()
+ set(HAS_SSE4_2 OFF CACHE BOOL "Architecture does not have SSE 4.2 SIMD enabled")
+ endif()
+ if(C_MSVC)
+ try_run(RUN_AVX COMPILE_AVX "${CMAKE_BINARY_DIR}/tmp" "${TEST_DIR}/test_x86_avx.cxx" COMPILE_DEFINITIONS /O0)
+ else()
+ try_run(RUN_AVX COMPILE_AVX "${CMAKE_BINARY_DIR}/tmp" "${TEST_DIR}/test_x86_avx.cxx" COMPILE_DEFINITIONS -mavx -O0)
+ endif()
+ if(COMPILE_AVX AND RUN_AVX EQUAL 0)
+ set(HAS_AVX ON CACHE BOOL "Architecture has AVX SIMD enabled")
+ message(STATUS "Use AVX SIMD instructions")
+ if(C_GCC OR C_CLANG)
+ set( CMAKE_C_FLAGS "${CMAKE_C_FLAGS} -mavx" )
+ set( CMAKE_CXX_FLAGS "${CMAKE_CXX_FLAGS} -mavx" )
+ add_definitions(-DUSE_AVX)
+ elseif(C_MSVC)
+ set( CMAKE_C_FLAGS_DEBUG "${CMAKE_C_FLAGS_DEBUG} /arch:AVX" )
+ set( CMAKE_CXX_FLAGS_DEBUG "${CMAKE_CXX_FLAGS_DEBUG} /arch:AVX" )
+ set( CMAKE_C_FLAGS_RELEASE "${CMAKE_C_FLAGS_RELEASE} /Oi /GL /Ot /Ox /arch:AVX" )
+ set( CMAKE_CXX_FLAGS_RELEASE "${CMAKE_CXX_FLAGS_RELEASE} /Oi /GL /Ot /Ox /arch:AVX" )
+ set( CMAKE_EXE_LINKER_FLAGS_RELEASE "${CMAKE_EXE_LINKER_FLAGS_RELEASE} /LTCG" )
+ add_definitions (/D "_CRT_SECURE_NO_WARNINGS")
+ add_definitions(-DUSE_AVX)
+ endif()
+ else()
+ set(HAS_AVX OFF CACHE BOOL "Architecture does not have AVX SIMD enabled")
+ endif()
+ if(C_MSVC)
+ try_run(RUN_AVX2 COMPILE_AVX2 "${CMAKE_BINARY_DIR}/tmp" "${TEST_DIR}/test_x86_avx2.cxx" COMPILE_DEFINITIONS /O0)
+ else()
+ try_run(RUN_AVX2 COMPILE_AVX2 "${CMAKE_BINARY_DIR}/tmp" "${TEST_DIR}/test_x86_avx2.cxx" COMPILE_DEFINITIONS -mavx2 -O0)
+ endif()
+ if(COMPILE_AVX2 AND RUN_AVX2 EQUAL 0)
+ set(HAS_AVX2 ON CACHE BOOL "Architecture has AVX2 SIMD enabled")
+ message(STATUS "Use AVX2 SIMD instructions")
+ if(C_GCC OR C_CLANG)
+ set( CMAKE_C_FLAGS "${CMAKE_C_FLAGS} -mavx2" )
+ set( CMAKE_CXX_FLAGS "${CMAKE_CXX_FLAGS} -mavx2" )
+ add_definitions(-DUSE_AVX2)
+ elseif(C_MSVC)
+ set( CMAKE_C_FLAGS_DEBUG "${CMAKE_C_FLAGS_DEBUG} /arch:AVX2" )
+ set( CMAKE_CXX_FLAGS_DEBUG "${CMAKE_CXX_FLAGS_DEBUG} /arch:AVX2" )
+ set( CMAKE_C_FLAGS_RELEASE "${CMAKE_C_FLAGS_RELEASE} /Oi /GL /Ot /Ox /arch:AVX2" )
+ set( CMAKE_CXX_FLAGS_RELEASE "${CMAKE_CXX_FLAGS_RELEASE} /Oi /GL /Ot /Ox /arch:AVX2" )
+ set( CMAKE_EXE_LINKER_FLAGS_RELEASE "${CMAKE_EXE_LINKER_FLAGS_RELEASE} /LTCG" )
+ add_definitions (/D "_CRT_SECURE_NO_WARNINGS")
+ add_definitions(-DUSE_AVX2)
+ endif()
+ else()
+ set(HAS_AVX2 OFF CACHE BOOL "Architecture does not have AVX2 SIMD enabled")
+ endif()
+ if(C_MSVC)
+ try_run(RUN_AVX512 COMPILE_AVX512 "${CMAKE_BINARY_DIR}/tmp" "${TEST_DIR}/test_x86_avx512.cxx" COMPILE_DEFINITIONS /O0)
+ else()
+ try_run(RUN_AVX512 COMPILE_AVX512 "${CMAKE_BINARY_DIR}/tmp" "${TEST_DIR}/test_x86_avx512.cxx" COMPILE_DEFINITIONS -mavx512f -O0)
+ endif()
+ if(COMPILE_AVX512 AND RUN_AVX512 EQUAL 0)
+ set(HAS_AVX512 ON CACHE BOOL "Architecture has AVX512 SIMD enabled")
+ message(STATUS "Use AVX512 SIMD instructions")
+ if(C_GCC OR C_CLANG)
+ set( CMAKE_C_FLAGS "${CMAKE_C_FLAGS} -mavx512f" )
+ set( CMAKE_CXX_FLAGS "${CMAKE_CXX_FLAGS} -mavx512f" )
+ add_definitions(-DUSE_AVX512)
+ elseif(C_MSVC)
+ set( CMAKE_C_FLAGS_DEBUG "${CMAKE_C_FLAGS_DEBUG} /arch:AVX512" )
+ set( CMAKE_CXX_FLAGS_DEBUG "${CMAKE_CXX_FLAGS_DEBUG} /arch:AVX512" )
+ set( CMAKE_C_FLAGS_RELEASE "${CMAKE_C_FLAGS_RELEASE} /Oi /GL /Ot /Ox /arch:AVX512" )
+ set( CMAKE_CXX_FLAGS_RELEASE "${CMAKE_CXX_FLAGS_RELEASE} /Oi /GL /Ot /Ox /arch:AVX512" )
+ set( CMAKE_EXE_LINKER_FLAGS_RELEASE "${CMAKE_EXE_LINKER_FLAGS_RELEASE} /LTCG" )
+ add_definitions (/D "_CRT_SECURE_NO_WARNINGS")
+ add_definitions(-DUSE_AVX512)
+ endif()
+ else()
+ set(HAS_AVX512 OFF CACHE BOOL "Architecture does not have AVX512 SIMD enabled")
+ endif()
+elseif(ARCHITECTURE_ARM)
+ if(C_MSVC)
+ try_run(RUN_NEON COMPILE_NEON "${CMAKE_BINARY_DIR}/tmp" "${TEST_DIR}/test_arm_neon.cxx" COMPILE_DEFINITIONS /O0)
+ else()
+ if(${CMAKE_HOST_SYSTEM_PROCESSOR} STREQUAL ${CMAKE_SYSTEM_PROCESSOR})
+ try_run(RUN_NEON COMPILE_NEON "${CMAKE_BINARY_DIR}/tmp" "${TEST_DIR}/test_arm_neon.cxx" COMPILE_DEFINITIONS -mfpu=neon -O0)
+ else()
+ try_compile(COMPILE_NEON "${CMAKE_BINARY_DIR}/tmp" "${TEST_DIR}/test_arm_neon.cxx" COMPILE_DEFINITIONS -mfpu=neon -O0)
+ set(RUN_NEON 0)
+ endif()
+ endif()
+ if(COMPILE_NEON AND RUN_NEON EQUAL 0)
+ set(HAS_NEON ON CACHE BOOL "Architecture has NEON SIMD enabled")
+ message(STATUS "Use NEON SIMD instructions")
+ if(C_GCC OR C_CLANG)
+ set( CMAKE_C_FLAGS "${CMAKE_C_FLAGS} -mfpu=neon" )
+ set( CMAKE_CXX_FLAGS "${CMAKE_CXX_FLAGS} -mfpu=neon" )
+ add_definitions(-DUSE_NEON)
+ endif()
+ else()
+ set(HAS_NEON OFF CACHE BOOL "Architecture does not have NEON SIMD enabled")
+ endif()
+elseif(ARCHITECTURE_ARM64)
+ # Advanced SIMD (aka NEON) is mandatory for AArch64
+ set(HAS_NEON ON CACHE BOOL "Architecture has NEON SIMD enabled")
+ message(STATUS "Use NEON SIMD instructions")
+ add_definitions(-DUSE_NEON)
+endif()
+endif()
+
+# clear binary test folder
+FILE(REMOVE_RECURSE ${CMAKE_BINARY_DIR}/tmp)
diff --git a/cmake/modules/FindCompiler.cmake b/cmake/modules/FindCompiler.cmake
new file mode 100644
index 00000000..fe036e4b
--- /dev/null
+++ b/cmake/modules/FindCompiler.cmake
@@ -0,0 +1,15 @@
+# Clang or AppleClang (see CMP0025)
+if(NOT DEFINED C_CLANG AND CMAKE_CXX_COMPILER_ID MATCHES "Clang")
+ set(C_CLANG 1)
+elseif(NOT DEFINED C_GCC AND CMAKE_CXX_COMPILER_ID MATCHES "GNU")
+ set(C_GCC 1)
+elseif(NOT DEFINED C_MSVC AND CMAKE_CXX_COMPILER_ID MATCHES "MSVC")
+ set(C_MSVC 1)
+ if(MSVC_VERSION GREATER_EQUAL 1920 AND MSVC_VERSION LESS_EQUAL 1929)
+ set(VS2019 ON)
+ elseif(MSVC_VERSION GREATER_EQUAL 1910 AND MSVC_VERSION LESS_EQUAL 1919)
+ set(VS2017 ON)
+ elseif(MSVC_VERSION GREATER 1899 AND MSVC_VERSION LESS 1910)
+ set(VS2015 ON)
+ endif()
+endif()
diff --git a/cmake/modules/FindGPSD.cmake b/cmake/modules/FindGPSD.cmake
new file mode 100644
index 00000000..d21b3311
--- /dev/null
+++ b/cmake/modules/FindGPSD.cmake
@@ -0,0 +1,88 @@
+# - Try to find GPSD
+# Once done this will define
+#
+# GPSD_FOUND - system has GPSD
+# GPSD_INCLUDE_DIRS - the GPSD include directory
+# GPSD_LIBRARIES - Link these to use GPSD
+# GPSD_DEFINITIONS - Compiler switches required for using GPSD
+#
+# Copyright (c) 2006 Andreas Schneider
+#
+# Redistribution and use is allowed according to the terms of the New
+# BSD license.
+# For details see the accompanying COPYING-CMAKE-SCRIPTS file.
+#
+
+set(GPSD_ROOT_DIR
+ "${GPSD_ROOT_DIR}"
+ CACHE
+ PATH
+ "Directory to search for gpsd")
+
+find_package(PkgConfig QUIET)
+if(PKG_CONFIG_FOUND)
+ pkg_check_modules(PC_GPSD libgps)
+endif()
+
+if (GPSD_LIBRARIES AND GPSD_INCLUDE_DIRS)
+ # in cache already
+ set(GPSD_FOUND TRUE)
+else (GPSD_LIBRARIES AND GPSD_INCLUDE_DIRS)
+ find_path(GPSD_INCLUDE_DIRS
+ NAMES
+ gps.h
+ PATHS
+ /usr/include
+ /usr/local/include
+ /opt/local/include
+ /sw/include
+ /usr/include/gps
+ /usr/local/include/gps
+ /opt/local/include/gps
+ /sw/include/gps
+ HINTS
+ ${PC_GPSD_INCLUDEDIR}
+ ${GPSD_ROOT_DIR}
+ )
+
+ # debian uses version suffixes
+ # add suffix evey new release
+ find_library(GPSD_LIBRARIES
+ NAMES
+ gps
+ PATHS
+ /usr/lib64
+ /usr/lib
+ /usr/local/lib
+ /opt/local/lib
+ /sw/lib
+ HINTS
+ ${PC_GPSD_LIBDIR}
+ ${GPSD_ROOT_DIR}
+ )
+
+ if (GPSD_INCLUDE_DIRS AND GPSD_LIBRARIES)
+ set(GPSD_FOUND TRUE)
+ endif (GPSD_INCLUDE_DIRS AND GPSD_LIBRARIES)
+
+ if (GPSD_FOUND)
+ if (NOT GPSD_FIND_QUIETLY)
+ message(STATUS "Found GPSD: ${GPSD_LIBRARIES}")
+ endif (NOT GPSD_FIND_QUIETLY)
+ else (GPSD_FOUND)
+ if (GPSD_FIND_REQUIRED)
+ message(FATAL_ERROR "Could not find GPSD")
+ endif (GPSD_FIND_REQUIRED)
+ endif (GPSD_FOUND)
+
+ # show the GPSD_INCLUDE_DIRS and GPSD_LIBRARIES variables only in the advanced view
+ mark_as_advanced(GPSD_INCLUDE_DIRS GPSD_LIBRARIES)
+
+endif (GPSD_LIBRARIES AND GPSD_INCLUDE_DIRS)
+
+# maybe on CYGWIN gpsd works
+if (WIN32)
+ set(GPSD_FOUND FALSE)
+ set(GPSD_LIBRARIES "")
+ set(GPSD_INCLUDE_DIRS "")
+endif (WIN32)
diff --git a/cmake/modules/FindPortaudio.cmake b/cmake/modules/FindPortaudio.cmake
new file mode 100644
index 00000000..9cda3428
--- /dev/null
+++ b/cmake/modules/FindPortaudio.cmake
@@ -0,0 +1,64 @@
+# - Try to find Portaudio
+# Once done this will define
+#
+# PORTAUDIO_FOUND - system has Portaudio
+# PORTAUDIO_INCLUDE_DIRS - the Portaudio include directory
+# PORTAUDIO_LIBRARIES - Link these to use Portaudio
+
+set(PORTAUDIO_ROOT_DIR
+ "${PORTAUDIO_ROOT_DIR}"
+ CACHE
+ PATH
+ "Directory to search for portaudio")
+
+find_package(PkgConfig QUIET)
+if(PKG_CONFIG_FOUND)
+ pkg_check_modules(PC_PORTAUDIO portaudio-2.0)
+endif()
+
+find_path(PORTAUDIO_INCLUDE_DIRS
+ NAMES
+ portaudio.h
+ PATHS
+ /usr/local/include
+ /usr/include
+ /opt/local/include
+ HINTS
+ ${PC_PORTAUDIO_INCLUDEDIR}
+ ${PORTAUDIO_ROOT_DIR}
+ )
+
+find_library(PORTAUDIO_LIBRARIES
+ NAMES
+ portaudio
+ PATHS
+ /usr/local/lib
+ /usr/lib
+ /usr/lib64
+ /opt/local/lib
+ HINTS
+ ${PC_PORTAUDIO_LIBDIR}
+ ${PORTAUDIO_ROOT_DIR}
+ )
+
+mark_as_advanced(PORTAUDIO_INCLUDE_DIRS PORTAUDIO_LIBRARIES)
+
+# Found PORTAUDIO, but it may be version 18 which is not acceptable.
+if(EXISTS ${PORTAUDIO_INCLUDE_DIRS}/portaudio.h)
+ include(CheckCXXSourceCompiles)
+ set(CMAKE_REQUIRED_INCLUDES_SAVED ${CMAKE_REQUIRED_INCLUDES})
+ set(CMAKE_REQUIRED_INCLUDES ${PORTAUDIO_INCLUDE_DIRS})
+ CHECK_CXX_SOURCE_COMPILES(
+ "#include \nPaDeviceIndex pa_find_device_by_name(const char *name); int main () {return 0;}"
+ PORTAUDIO2_FOUND)
+ set(CMAKE_REQUIRED_INCLUDES ${CMAKE_REQUIRED_INCLUDES_SAVED})
+ unset(CMAKE_REQUIRED_INCLUDES_SAVED)
+ if(PORTAUDIO2_FOUND)
+ INCLUDE(FindPackageHandleStandardArgs)
+ FIND_PACKAGE_HANDLE_STANDARD_ARGS(PORTAUDIO DEFAULT_MSG PORTAUDIO_INCLUDE_DIRS PORTAUDIO_LIBRARIES)
+ else(PORTAUDIO2_FOUND)
+ message(STATUS
+ " portaudio.h not compatible (requires API 2.0)")
+ set(PORTAUDIO_FOUND FALSE)
+ endif(PORTAUDIO2_FOUND)
+endif()
diff --git a/cmake/modules/Findhamlib.cmake b/cmake/modules/Findhamlib.cmake
new file mode 100644
index 00000000..16ca5685
--- /dev/null
+++ b/cmake/modules/Findhamlib.cmake
@@ -0,0 +1,67 @@
+# - Try to find Hamlib
+#
+# HAMLIB_FOUND - system has Hamlib
+# HAMLIB_LIBRARIES - location of the library for hamlib
+# HAMLIB_INCLUDE_DIRS - location of the include files for hamlib
+#
+# Requires these CMake modules:
+# FindPackageHandleStandardArgs (known included with CMake >=2.6.2)
+#
+# Original Author:
+# 2019 Davide Gerhard
+
+set(HAMLIB_ROOT_DIR
+ "${HAMLIB_ROOT_DIR}"
+ CACHE
+ PATH
+ "Directory to search for hamlib")
+
+find_package(PkgConfig QUIET)
+if(PKG_CONFIG_FOUND)
+ pkg_check_modules(PC_HAMLIB hamlib)
+endif()
+
+find_path(HAMLIB_INCLUDE_DIR
+ NAMES hamlib/rig.h
+ PATHS
+ /usr/include
+ /usr/local/include
+ /opt/local/include
+ HINTS
+ ${PC_HAMLIB_INCLUDEDIR}
+ ${HAMLIB_ROOT_DIR}
+ )
+
+find_library(HAMLIB_LIBRARY
+ NAMES hamlib
+ PATHS
+ /usr/lib64/hamlib
+ /usr/lib/hamlib
+ /usr/lib64
+ /usr/lib
+ /usr/local/lib64/hamlib
+ /usr/local/lib/hamlib
+ /usr/local/lib64
+ /usr/local/lib
+ /opt/local/lib
+ /opt/local/lib/hamlib
+ HINTS
+ ${PC_HAMLIB_LIBDIR}
+ ${HAMLIB_ROOT_DIR}
+
+ )
+
+include(FindPackageHandleStandardArgs)
+find_package_handle_standard_args(hamlib
+ DEFAULT_MSG
+ HAMLIB_LIBRARY
+ HAMLIB_INCLUDE_DIR
+ )
+
+if(HAMLIB_FOUND)
+ list(APPEND HAMLIB_LIBRARIES ${HAMLIB_LIBRARY})
+ list(APPEND HAMLIB_INCLUDE_DIRS ${HAMLIB_INCLUDE_DIR})
+ mark_as_advanced(HAMLIB_ROOT_DIR)
+endif()
+
+mark_as_advanced(HAMLIB_INCLUDE_DIR HAMLIB_LIBRARY)
diff --git a/cmake/modules/Findsndio.cmake b/cmake/modules/Findsndio.cmake
new file mode 100644
index 00000000..e7292d5d
--- /dev/null
+++ b/cmake/modules/Findsndio.cmake
@@ -0,0 +1,42 @@
+# - Try to find sndio
+#
+# SNDIO_FOUND - system has sndio
+# SNDIO_LIBRARIES - location of the library for sndio
+# SNDIO_INCLUDE_DIRS - location of the include files for sndio
+
+set(SNDIO_ROOT_DIR
+ "${SNDIO_ROOT_DIR}"
+ CACHE
+ PATH
+ "Directory to search for sndio")
+
+# no need to check pkg-config
+
+find_path(SNDIO_INCLUDE_DIRS
+ NAMES
+ sndio.h
+ PATHS
+ /usr/local/include
+ /usr/include
+ /opt/local/include
+ HINTS
+ ${SNDIO_ROOT_DIR}
+ )
+
+find_library(SNDIO_LIBRARIES
+ NAMES
+ sndio
+ PATHS
+ /usr/local/lib
+ /usr/lib
+ /usr/lib64
+ /opt/local/lib
+ HINTS
+ ${SNDIIO_ROOT_DIR}
+ )
+
+
+include(FindPackageHandleStandardArgs)
+find_package_handle_standard_args(SNDIO DEFAULT_MSG SNDIO_INCLUDE_DIRS SNDIO_LIBRARIES)
+
+mark_as_advanced(SNDIO_INCLUDE_DIRS SNDIO_LIBRARIES)
diff --git a/cmake/modules/Findudev.cmake b/cmake/modules/Findudev.cmake
new file mode 100644
index 00000000..c8c4b624
--- /dev/null
+++ b/cmake/modules/Findudev.cmake
@@ -0,0 +1,85 @@
+# - try to find the udev library
+#
+# Cache Variables: (probably not for direct use in your scripts)
+# UDEV_INCLUDE_DIR
+# UDEV_SOURCE_DIR
+# UDEV_LIBRARY
+#
+# Non-cache variables you might use in your CMakeLists.txt:
+# UDEV_FOUND
+# UDEV_INCLUDE_DIRS
+# UDEV_LIBRARIES
+#
+# Requires these CMake modules:
+# FindPackageHandleStandardArgs (known included with CMake >=2.6.2)
+#
+# Original Author:
+# 2014 Kevin M. Godby
+#
+# Distributed under the Boost Software License, Version 1.0.
+# (See accompanying file LICENSE_1_0.txt or copy at
+# http://www.boost.org/LICENSE_1_0.txt)
+
+set(UDEV_ROOT_DIR
+ "${UDEV_ROOT_DIR}"
+ CACHE
+ PATH
+ "Directory to search for udev")
+
+find_package(PkgConfig QUIET)
+if(PKG_CONFIG_FOUND)
+ pkg_check_modules(PC_LIBUDEV libudev)
+endif()
+
+find_library(UDEV_LIBRARY
+ NAMES
+ udev
+ PATHS
+ ${PC_LIBUDEV_LIBRARY_DIRS}
+ ${PC_LIBUDEV_LIBDIR}
+ /usr/lib64
+ /usr/lib
+ /usr/local/lib
+ HINTS
+ "${UDEV_ROOT_DIR}"
+ PATH_SUFFIXES
+ lib
+ )
+
+get_filename_component(_libdir "${UDEV_LIBRARY}" PATH)
+
+find_path(UDEV_INCLUDE_DIR
+ NAMES
+ libudev.h
+ PATHS
+ /usr/include
+ /usr/local/include
+ ${PC_LIBUDEV_INCLUDE_DIRS}
+ ${PC_LIBUDEV_INCLUDEDIR}
+ HINTS
+ "${_libdir}"
+ "${_libdir}/.."
+ "${UDEV_ROOT_DIR}"
+ PATH_SUFFIXES
+ include
+ )
+
+include(FindPackageHandleStandardArgs)
+find_package_handle_standard_args(udev
+ DEFAULT_MSG
+ UDEV_LIBRARY
+ UDEV_INCLUDE_DIR
+ )
+
+if (UDEV_INCLUDE_DIR AND UDEV_LIBRARY)
+ set(UDEV_FOUND TRUE)
+endif (UDEV_INCLUDE_DIR AND UDEV_LIBRARY)
+
+if(UDEV_FOUND)
+ list(APPEND UDEV_LIBRARIES ${UDEV_LIBRARY})
+ list(APPEND UDEV_INCLUDE_DIRS ${UDEV_INCLUDE_DIR})
+ mark_as_advanced(UDEV_ROOT_DIR)
+endif()
+
+mark_as_advanced(UDEV_INCLUDE_DIR
+ UDEV_LIBRARY)
diff --git a/conf/99-direwolf-cmedia.rules b/conf/99-direwolf-cmedia.rules
new file mode 100644
index 00000000..94e1828f
--- /dev/null
+++ b/conf/99-direwolf-cmedia.rules
@@ -0,0 +1,36 @@
+# Normally, all of /dev/hidraw* are accessible only by root.
+#
+# $ ls -l /dev/hidraw*
+# crw------- 1 root root 247, 0 Sep 24 09:40 /dev/hidraw0
+#
+# An ordinary user, trying to access it will be denied.
+#
+# Unnecessarily running applications as root is generally a bad idea because it makes it too easy
+# to accidentally trash your system. We need to relax the restrictions so ordinary users can use these devices.
+#
+# If all went well with installation, the /etc/udev/rules.d directory should contain a file called
+# 99-direwolf-cmedia.rules containing:
+#
+
+SUBSYSTEM=="hidraw", ATTRS{idVendor}=="0d8c", GROUP="audio", MODE="0660"
+
+#
+# I used the "audio" group, mimicking the permissions on the sound side of the device.
+#
+# $ ls -l /dev/snd/pcm*
+# crw-rw----+ 1 root audio 116, 16 Sep 24 09:40 /dev/snd/pcmC0D0p
+# crw-rw----+ 1 root audio 116, 17 Sep 24 09:40 /dev/snd/pcmC0D1p
+#
+# You should see something similar to this where someone in the "audio" group has read-write access.
+#
+# $ ls -l /dev/hidraw*
+# crw-rw---- 1 root audio 247, 0 Oct 6 19:24 /dev/hidraw0
+#
+# Read the User Guide and run the "cm108" application for more information.
+#
+
+#
+# Same thing for the "All In One Cable."
+#
+
+SUBSYSTEM=="hidraw", ATTRS{idVendor}=="1209", ATTRS{idProduct}=="7388", GROUP="audio", MODE="0660"
diff --git a/conf/CMakeLists.txt b/conf/CMakeLists.txt
new file mode 100644
index 00000000..d4a229d7
--- /dev/null
+++ b/conf/CMakeLists.txt
@@ -0,0 +1,48 @@
+# generate conf per platform
+file(READ "${CUSTOM_CONF_DIR}/generic.conf" file_content)
+
+if(LINUX)
+ string(REGEX REPLACE "\n%W%[^\n]*" "" file_content "${file_content}")
+ string(REGEX REPLACE "\n%M%[^\n]*" "" file_content "${file_content}")
+ string(REGEX REPLACE "\n%L%([^\n]*)" "\n\\1" file_content "${file_content}")
+elseif(WIN32 OR CYGWIN)
+ string(REGEX REPLACE "\n%M%[^\n]*" "" file_content "${file_content}")
+ string(REGEX REPLACE "\n%L%[^\n]*" "" file_content "${file_content}")
+ string(REGEX REPLACE "\n%W%([^\n]*)" "\n\\1" file_content "${file_content}")
+else() # macOS FreeBSD OpenBSD
+ string(REGEX REPLACE "\n%W%[^\n]*" "" file_content "${file_content}")
+ string(REGEX REPLACE "\n%L%[^\n]*" "" file_content "${file_content}")
+ string(REGEX REPLACE "\n%M%([^\n]*)" "\n\\1" file_content "${file_content}")
+endif()
+
+# remove remark
+string(REGEX REPLACE "\n%R%[^\n]*" "" file_content "${file_content}")
+
+# clear common lines
+string(REGEX REPLACE "\n%C%([^\n]*)" "\n\\1" file_content "${file_content}")
+string(REGEX REPLACE "^%C%([^\n]*)" "\\1" file_content "${file_content}")
+
+file(WRITE "${CMAKE_BINARY_DIR}/direwolf.conf" "${file_content}")
+
+# install udev rules for CM108
+if(LINUX)
+ install(FILES "${CUSTOM_CONF_DIR}/99-direwolf-cmedia.rules" DESTINATION /etc/udev/rules.d/)
+endif()
+
+install(FILES "${CMAKE_BINARY_DIR}/direwolf.conf" DESTINATION ${INSTALL_CONF_DIR})
+install(FILES "${CUSTOM_CONF_DIR}/sdr.conf" DESTINATION ${INSTALL_CONF_DIR})
+
+# Put sample configuration & startup files in home directory.
+# This step would be done as ordinary user.
+# Some people like to put the direwolf config file in /etc/ax25.
+# Note that all of these are also in $(DESTDIR)/share/doc/direwolf/examples/.
+if(NOT (WIN32 OR CYGWIN))
+ add_custom_target(install-conf
+ COMMAND ${CMAKE_COMMAND}
+ -DCUSTOM_BINARY_DIR="${CMAKE_BINARY_DIR}"
+ -DCUSTOM_CONF_DIR="${CUSTOM_CONF_DIR}"
+ -DCUSTOM_SCRIPTS_DIR="${CUSTOM_SCRIPTS_DIR}"
+ -DCUSTOM_TELEMETRY_DIR="${CUSTOM_TELEMETRY_DIR}"
+ -P "${CMAKE_SOURCE_DIR}/conf/install_conf.cmake"
+ )
+endif()
diff --git a/conf/generic.conf b/conf/generic.conf
new file mode 100644
index 00000000..9a19d8a2
--- /dev/null
+++ b/conf/generic.conf
@@ -0,0 +1,537 @@
+%C%#############################################################
+%C%# #
+%C%# Configuration file for Dire Wolf #
+%C%# #
+%L%# Linux version #
+%W%# Windows version #
+%M%# Macintosh version #
+%C%# #
+%C%#############################################################
+%R%
+%R%
+%R% The sample config file was getting pretty messy
+%R% with the Windows and Linux differences.
+%R% It would be a maintenance burden to keep most of
+%R% two different versions in sync.
+%R% This common source is now used to generate the
+%R% two different variations while having only a single
+%R% copy of the common parts.
+%R%
+%R% The first column contains one of the following:
+%R%
+%R% R remark which is discarded.
+%R% C common to both versions.
+%R% W Windows version only.
+%R% L Linux version only.
+%R% M Macintosh version and possibly others (portaudio used).
+%R%
+%C%#
+%C%# Extensive documentation can be found here:
+%C%# Stable release - https://github.com/wb2osz/direwolf/tree/master/doc
+%C%# Latest development - https://github.com/wb2osz/direwolf/tree/dev/doc
+%C%# Additional topics - https://github.com/wb2osz/direwolf-doc
+%C%#
+%W%# The basic documentation set can also be found in the doc folder.
+%L%# The basic documentation set can also be found in
+%L%# /usr/local/share/doc/direwolf/ or /usr/share/doc/direwolf/
+%L%# Concise "man" pages are also available for Linux.
+%M%# /usr/local/share/doc/direwolf/ or /usr/share/doc/direwolf/
+%M%# Concise "man" pages are also available for Mac OSX.
+%C%#
+%C%# Questions??? Join the discussion forum: https://groups.io/g/direwolf
+%C%#
+%C%#
+%C%# This sample file does not have examples for all of the possibilities.
+%C%# Consult the User Guide for more details on configuration options
+%C%# and other documents for more details for different uses.
+%C%#
+%C%# These are the most likely settings you might change:
+%C%#
+%C%# (1) MYCALL - call sign and SSID for your station.
+%C%#
+%C%# Look for lines starting with MYCALL and
+%C%# change NOCALL to your own.
+%C%#
+%C%# (2) PBEACON - enable position beaconing.
+%C%#
+%C%# Look for lines starting with PBEACON and
+%C%# modify for your call, location, etc.
+%C%#
+%C%# (3) DIGIPEATER - configure digipeating rules.
+%C%#
+%C%# Look for lines starting with DIGIPEATER.
+%C%# Most people will probably use the given example.
+%C%# Just remove the "#" from the start of the line
+%C%# to enable it.
+%C%#
+%C%# (4) IGSERVER, IGLOGIN - IGate server and login
+%C%#
+%C%# Configure an IGate client to relay messages between
+%C%# radio and internet servers.
+%C%#
+%C%#
+%C%# The default location is "direwolf.conf" in the current working directory.
+%L%# On Linux, the user's home directory will also be searched.
+%C%# An alternate configuration file location can be specified with the "-c" command line option.
+%C%#
+%C%# As you probably guessed by now, # indicates a comment line.
+%C%#
+%C%# Remove the # at the beginning of a line if you want to use a sample
+%C%# configuration that is currently commented out.
+%C%#
+%C%# Commands are a keyword followed by parameters.
+%C%#
+%C%# Command key words are case insensitive. i.e. upper and lower case are equivalent.
+%C%#
+%C%# Command parameters are generally case sensitive. i.e. upper and lower case are different.
+%C%#
+%C%
+%C%
+%C%#############################################################
+%C%# #
+%C%# FIRST AUDIO DEVICE PROPERTIES #
+%C%# (Channel 0 + 1 if in stereo) #
+%C%# #
+%C%#############################################################
+%C%
+%C%#
+%C%# Many people will simply use the default sound device.
+%C%# Some might want to use an alternative device by choosing it here.
+%C%#
+%C%#
+%C%# Many examples of radio interfaces and PTT options can be found in:
+%C%# https://github.com/wb2osz/direwolf-doc/blob/main/Radio-Interface-Guide.pdf
+%C%#
+%C%#
+%R% ---------- Windows ----------
+%R%
+%W%# When the Windows version starts up, it displays something like
+%W%# this with the available sound devices and capabilities:
+%W%#
+%W%# Available audio input devices for receive (*=selected):
+%W%# * 0: Microphone (C-Media USB Headpho (channel 2)
+%W%# 1: Microphone (Bluetooth SCO Audio
+%W%# 2: Microphone (Bluetooth AV Audio)
+%W%# * 3: Microphone (Realtek High Defini (channels 0 & 1)
+%W%# Available audio output devices for transmit (*=selected):
+%W%# * 0: Speakers (C-Media USB Headphone (channel 2)
+%W%# 1: Speakers (Bluetooth SCO Audio)
+%W%# 2: Realtek Digital Output(Optical)
+%W%# 3: Speakers (Bluetooth AV Audio)
+%W%# * 4: Speakers (Realtek High Definiti (channels 0 & 1)
+%W%# 5: Realtek Digital Output (Realtek
+%W%#
+%W%# Example: To use the microphone and speaker connections on the
+%W%# system board, either of these forms can be used:
+%W%
+%W%#ADEVICE High
+%W%#ADEVICE 3 4
+%W%
+%W%
+%W%# Example: To use the USB Audio, use a command like this with
+%W%# the input and output device numbers. (Remove the # comment character.)
+%W%#ADEVICE USB
+%W%
+%W%# You can also use "-" or "stdin" to pipe stdout from
+%W%# some other application such as a software defined radio.
+%W%# "stdin" is not an audio device. Don't use this unless you
+%W%# understand what this means. Read the User Guide.
+%W%# You can also specify "UDP:" and an optional port for input.
+%W%# Something different must be specified for output.
+%W%
+%W%# ADEVICE stdin 0
+%W%# ADEVICE UDP:7355 0
+%W%
+%W%# The position in the list can change when devices (e.g. USB) are added and removed.
+%W%# You can also specify devices by using part of the name.
+%W%# Here is an example of specifying the USB Audio device.
+%W%# This is case-sensitive. Upper and lower case are not treated the same.
+%W%
+%W%#ADEVICE USB
+%W%
+%W%
+%R% ---------- Linux ----------
+%R%
+%L%# Linux ALSA is complicated. See User Guide for discussion.
+%L%# To use something other than the default, generally use plughw
+%L%# and a card number reported by "arecord -l" command. Example:
+%L%
+%L%# ADEVICE plughw:1,0
+%L%
+%L%# You can also use "-" or "stdin" to pipe stdout from
+%L%# some other application such as a software defined radio.
+%L%# "stdin" is not an audio device. Don't use this unless you
+%L%# understand what this means. Read the User Guide.
+%L%# You can also specify "UDP:" and an optional port for input.
+%L%# Something different must be specified for output.
+%L%
+%L%# ADEVICE stdin plughw:1,0
+%L%# ADEVICE UDP:7355 default
+%L%
+%R% ---------- Mac ----------
+%R%
+%M%# Macintosh Operating System uses portaudio driver for audio
+%M%# input/output. Default device selection not available. User/OP
+%M%# must configure the sound input/output option. Note that
+%M%# the device names can contain spaces. In this case, the names
+%M%# must be enclosed by quotes.
+%M%#
+%M%# Examples:
+%M%#
+%M%ADEVICE "Built-in Input" "Built-in Output"
+%M%
+%M%# ADEVICE "USB Audio Codec:6" "USB Audio Codec:5"
+%M%#
+%M%#
+%M%# You can also use "-" or "stdin" to pipe stdout from
+%M%# some other application such as a software defined radio.
+%M%# "stdin" is not an audio device. Don't use this unless you
+%M%# understand what this means. Read the User Guide.
+%M%# You can also specify "UDP:" and an optional port for input.
+%M%# Something different must be specified for output.
+%M%
+%M%# ADEVICE UDP:7355 default
+%M%#
+%C%
+%C%#
+%C%# Number of audio channels for this souncard: 1 (mono) or 2 (stereo).
+%C%# 1 is the default so there is no need to specify it.
+%C%#
+%C%
+%C%#ACHANNELS 2
+%C%
+%C%
+%C%#############################################################
+%C%# #
+%C%# SECOND AUDIO DEVICE PROPERTIES #
+%C%# (Channel 2 + 3 if in stereo) #
+%C%# #
+%C%#############################################################
+%C%
+%C%#ADEVICE1 ...
+%C%
+%C%
+%C%#############################################################
+%C%# #
+%C%# THIRD AUDIO DEVICE PROPERTIES #
+%C%# (Channel 4 + 5 if in stereo) #
+%C%# #
+%C%#############################################################
+%C%
+%C%#ADEVICE2 ...
+%C%
+%C%
+%C%#############################################################
+%C%# #
+%C%# CHANNEL 0 PROPERTIES #
+%C%# #
+%C%#############################################################
+%C%
+%C%CHANNEL 0
+%C%
+%C%#
+%C%# The following MYCALL, MODEM, PTT, etc. configuration items
+%C%# apply to the most recent CHANNEL.
+%C%#
+%C%
+%C%#
+%C%# Station identifier for this channel.
+%C%# Multiple channels can have the same or different names.
+%C%#
+%C%# It can be up to 6 letters and digits with an optional ssid.
+%C%# The APRS specification requires that it be upper case.
+%C%#
+%C%# Example (don't use this unless you are me): MYCALL WB2OSZ-5
+%C%#
+%C%
+%C%MYCALL N0CALL
+%C%
+%C%#
+%C%# Pick a suitable modem speed based on your situation.
+%C%# 1200 Most common for VHF/UHF. This is the default if not specified.
+%C%# 2400 QPSK compatible with MFJ-2400, and probably PK232-2400 & KPC-2400.
+%C%# 300 Low speed for HF SSB. Default tones 1600 & 1800.
+%C%# EAS Emergency Alert System (EAS) Specific Area Message Encoding (SAME).
+%C%# 9600 G3RUH style - Can't use Microphone and Speaker connections.
+%C%# AIS International system for tracking ships on VHF.
+%C%# Also uses 9600 bps so Speaker connection won't work.
+%C%#
+%C%# In most cases you can just specify the speed. Examples:
+%C%#
+%C%
+%C%MODEM 1200
+%C%#MODEM 9600
+%C%
+%C%#
+%C%# Many options are available for great flexibility.
+%C%# See User Guide for details.
+%C%#
+%C%
+%C%#
+%C%# Uncomment line below to enable the DTMF decoder for this channel.
+%C%#
+%C%
+%C%#DTMF
+%C%
+%C%# Push to Talk (PTT) can be confusing because there are so many different cases.
+%C%# Radio-Interface-Guide.pdf in https://github.com/wb2osz/direwolf-doc
+%C%# goes into detail about the various options.
+%C%
+%L%# If using a C-Media CM108/CM119 or similar USB Audio Adapter,
+%L%# you can use a GPIO pin for PTT control. This is very convenient
+%L%# because a single USB connection is used for both audio and PTT.
+%L%# Example:
+%L%
+%L%#PTT CM108
+%L%
+%W%# If using a C-Media CM108/CM119 or similar USB Audio Adapter,
+%W%# you can use a GPIO pin for PTT control. This is very convenient
+%W%# because a single USB connection is used for both audio and PTT.
+%W%# Example:
+%W%
+%W%#PTT CM108
+%W%%C%#
+%C%# The transmitter Push to Talk (PTT) control can be wired to a serial port
+%C%# with a suitable interface circuit. DON'T connect it directly!
+%C%#
+%C%# For the PTT command, specify the device and either RTS or DTR.
+%C%# RTS or DTR may be preceded by "-" to invert the signal.
+%C%# Both can be used for interfaces that want them driven with opposite polarity.
+%C%#
+%L%# COM1 can be used instead of /dev/ttyS0, COM2 for /dev/ttyS1, and so on.
+%L%#
+%C%
+%C%#PTT COM1 RTS
+%C%#PTT COM1 RTS -DTR
+%L%#PTT /dev/ttyUSB0 RTS
+%L%#PTT /dev/ttyUSB0 RTS -DTR
+%C%
+%L%#
+%L%# On Linux, you can also use general purpose I/O pins if
+%L%# your system is configured for user access to them.
+%L%# This would apply mostly to microprocessor boards, not a regular PC.
+%L%# See separate Raspberry Pi document for more details.
+%L%# The number may be preceded by "-" to invert the signal.
+%L%#
+%L%
+%L%#PTT GPIO 25
+%L%
+%C%# The Data Carrier Detect (DCD) signal can be sent to most of the same places
+%C%# as the PTT signal. This could be used to light up an LED like a normal TNC.
+%C%
+%C%#DCD COM1 -DTR
+%L%#DCD GPIO 24
+%C%
+%C%
+%C%#############################################################
+%C%# #
+%C%# CHANNEL 1 PROPERTIES #
+%C%# #
+%C%#############################################################
+%C%
+%C%#CHANNEL 1
+%C%
+%C%#
+%C%# Specify MYCALL, MODEM, PTT, etc. configuration items for
+%C%# CHANNEL 1. Repeat for any other channels.
+%C%
+%C%
+%C%#############################################################
+%C%# #
+%C%# TEXT TO SPEECH COMMAND FILE #
+%C%# #
+%C%#############################################################
+%C%
+%W%#SPEECH dwespeak.bat
+%L%#SPEECH dwespeak.sh
+%C%
+%C%
+%C%#############################################################
+%C%# #
+%C%# VIRTUAL TNC SERVER PROPERTIES #
+%C%# #
+%C%#############################################################
+%C%
+%C%#
+%C%# Dire Wolf acts as a virtual TNC and can communicate with
+%C%# client applications by different protocols:
+%C%#
+%C%# - the "AGW TCPIP Socket Interface" - default port 8000
+%C%# - KISS protocol over TCP socket - default port 8001
+%W%# - KISS TNC via serial port
+%L%# - KISS TNC via pseudo terminal (-p command line option)
+%C%#
+%C%
+%C%AGWPORT 8000
+%C%KISSPORT 8001
+%C%
+%W%#
+%W%# Some applications are designed to operate with only a physical
+%W%# TNC attached to a serial port. For these, we provide a virtual serial
+%W%# port that appears to be connected to a TNC.
+%W%#
+%W%# Take a look at the User Guide for instructions to set up
+%W%# two virtual serial ports named COM3 and COM4 connected by
+%W%# a null modem.
+%W%#
+%W%# Using the configuration described, Dire Wolf will connect to
+%W%# COM3 and the client application will use COM4.
+%W%#
+%W%# Uncomment following line to use this feature.
+%W%
+%W%#NULLMODEM COM3
+%W%
+%W%
+%C%#
+%C%# It is sometimes possible to recover frames with a bad FCS.
+%C%# This is not a global setting.
+%C%# It applies only the the most recent CHANNEL specified.
+%C%#
+%C%# 0 - Don't try to repair. (default)
+%C%# 1 - Attempt to fix single bit error.
+%C%#
+%C%
+%C%#FIX_BITS 0
+%C%
+%C%#
+%C%#############################################################
+%C%# #
+%C%# FIXED POSIION BEACONING PROPERTIES #
+%C%# #
+%C%#############################################################
+%C%
+%C%
+%C%#
+%C%# Beaconing is configured with these two commands:
+%C%#
+%C%# PBEACON - for a position report (usually yourself)
+%C%# OBEACON - for an object report (usually some other entity)
+%C%#
+%C%# Each has a series of keywords and values for options.
+%C%# See User Guide for details.
+%C%#
+%C%# Example:
+%C%#
+%C%# This results in a broadcast once every 10 minutes.
+%C%# Every half hour, it can travel via one digipeater hop.
+%C%# The others are kept local.
+%C%#
+%C%
+%C%#PBEACON delay=1 every=30 overlay=S symbol="digi" lat=42^37.14N long=071^20.83W power=50 height=20 gain=4 comment="Chelmsford MA" via=WIDE1-1
+%C%#PBEACON delay=11 every=30 overlay=S symbol="digi" lat=42^37.14N long=071^20.83W power=50 height=20 gain=4 comment="Chelmsford MA"
+%C%#PBEACON delay=21 every=30 overlay=S symbol="digi" lat=42^37.14N long=071^20.83W power=50 height=20 gain=4 comment="Chelmsford MA"
+%C%
+%C%#
+%C%# Did you know that APRS comments and messages can contain UTF-8 characters, not only plain ASCII?
+%C%#
+%C%#PBEACON delay=1 every=30 overlay=S symbol="digi" lat=42^37.14N long=071^20.83W comment=" Did you know that APRS comments and messages can contain UTF-8 characters? \xe0\xb8\xa7\xe0\xb8\xb4\xe0\xb8\x97\xe0\xb8\xa2\xe0\xb8\xb8\xe0\xb8\xaa\xe0\xb8\xa1\xe0\xb8\xb1\xe0\xb8\x84\xe0\xb8\xa3\xe0\xb9\x80\xe0\xb8\xa5\xe0\xb9\x88\xe0\xb8\x99"
+%C%#PBEACON delay=11 every=30 overlay=S symbol="digi" lat=42^37.14N long=071^20.83W comment=" Did you know that APRS comments and messages can contain UTF-8 characters? \xce\xa1\xce\xb1\xce\xb4\xce\xb9\xce\xbf\xce\xb5\xcf\x81\xce\xb1\xcf\x83\xce\xb9\xcf\x84\xce\xb5\xcf\x87\xce\xbd\xce\xb9\xcf\x83\xce\xbc\xcf\x8c\xcf\x82"
+%C%#PBEACON delay=21 every=30 overlay=S symbol="digi" lat=42^37.14N long=071^20.83W comment=" Did you know that APRS comments and messages can contain UTF-8 characters? \xe3\x82\xa2\xe3\x83\x9e\xe3\x83\x81\xe3\x83\xa5\xe3\x82\xa2\xe7\x84\xa1\xe7\xb7\x9a"
+%C%#
+%C%# With UTM coordinates instead of latitude and longitude.
+%C%
+%C%#PBEACON delay=1 every=10 overlay=S symbol="digi" zone=19T easting=307477 northing=4720178
+%C%
+%C%
+%C%#
+%C%# When the destination field is set to "SPEECH" the information part is
+%C%# converted to speech rather than transmitted as a data frame.
+%C%#
+%C%
+%C%#CBEACON dest="SPEECH" info="Club meeting tonight at 7 pm."
+%C%
+%C%# Similar for Morse code. If SSID is specified, it is multiplied
+%C%# by 2 to get speed in words per minute (WPM).
+%C%
+%C%#CBEACON dest="MORSE-6" info="de MYCALL"
+%C%
+%C%
+%C%#
+%C%# Modify for your particular situation before removing
+%C%# the # comment character from the beginning of appropriate lines above.
+%C%#
+%C%
+%C%
+%C%#############################################################
+%C%# #
+%C%# APRS DIGIPEATER PROPERTIES #
+%C%# #
+%C%#############################################################
+%C%
+%C%#
+%C%# For most common situations, use something like this by removing
+%C%# the "#" from the beginning of the line below.
+%C%#
+%C%
+%C%#DIGIPEAT 0 0 ^WIDE[3-7]-[1-7]$|^TEST$ ^WIDE[12]-[12]$
+%C%
+%C%# See User Guide and "APRS-Digipeaters.pdf" for more explanation of what
+%C%# this means and how it can be customized for your particular needs.
+%C%
+%C%
+%C%# Traditional connected mode packet radio uses a different
+%C%# type of digipeating. See User Guide for details.
+%C%
+%C%#############################################################
+%C%# #
+%C%# INTERNET GATEWAY #
+%C%# #
+%C%#############################################################
+%C%
+%C%# First you need to specify the name of a Tier 2 server.
+%C%# The current preferred way is to use one of these regional rotate addresses:
+%C%
+%C%# noam.aprs2.net - for North America
+%C%# soam.aprs2.net - for South America
+%C%# euro.aprs2.net - for Europe and Africa
+%C%# asia.aprs2.net - for Asia
+%C%# aunz.aprs2.net - for Oceania
+%C%
+%C%#IGSERVER noam.aprs2.net
+%C%
+%C%# You also need to specify your login name and passcode.
+%C%# Contact the author if you can't figure out how to generate the passcode.
+%C%
+%C%#IGLOGIN WB2OSZ-5 123456
+%C%
+%C%# That's all you need for a receive only IGate which relays
+%C%# messages from the local radio channel to the global servers.
+%C%
+%C%# Some might want to send an IGate client position directly to a server
+%C%# without sending it over the air and relying on someone else to
+%C%# forward it to an IGate server. This is done by using sendto=IG rather
+%C%# than a radio channel number. Overlay R for receive only, T for two way.
+%C%# There is no need to send it as often as you would over the radio.
+%C%
+%C%#PBEACON sendto=IG delay=0:30 every=60:00 symbol="igate" overlay=R lat=42^37.14N long=071^20.83W
+%C%#PBEACON sendto=IG delay=0:30 every=60:00 symbol="igate" overlay=T lat=42^37.14N long=071^20.83W
+%C%
+%C%
+%C%# To relay messages from the Internet to radio, you need to add
+%C%# one more option with the transmit channel number and a VIA path.
+%C%
+%C%#IGTXVIA 0 WIDE1-1,WIDE2-1
+%C%
+%C%
+%C%# Finally, we don't want to flood the radio channel.
+%C%# The IGate function will limit the number of packets transmitted
+%C%# during 1 minute and 5 minute intervals. If a limit would
+%C%# be exceeded, the packet is dropped and message is displayed in red.
+%C%# This might be low for APRS Thursday when there is abnormally high activity.
+%C%
+%C%IGTXLIMIT 6 10
+%C%
+%C%
+%C%#############################################################
+%C%# #
+%C%# APRStt GATEWAY #
+%C%# #
+%C%#############################################################
+%C%
+%C%#
+%C%# Dire Wolf can receive DTMF (commonly known as Touch Tone)
+%C%# messages and convert them to packet objects.
+%C%#
+%C%# See separate "APRStt-Implementation-Notes" document for details.
+%C%#
+
diff --git a/conf/install_conf.cmake b/conf/install_conf.cmake
new file mode 100644
index 00000000..af111a76
--- /dev/null
+++ b/conf/install_conf.cmake
@@ -0,0 +1,23 @@
+if(NOT EXISTS $ENV{HOME}/direwolf.conf)
+ configure_file("${CUSTOM_BINARY_DIR}/direwolf.conf" $ENV{HOME})
+endif()
+
+if(NOT EXISTS $ENV{HOME}/sdr.conf)
+ configure_file("${CUSTOM_CONF_DIR}/sdr.conf" $ENV{HOME})
+endif()
+
+if(NOT EXISTS $ENV{HOME}/dw-start.sh)
+ configure_file("${CUSTOM_SCRIPTS_DIR}/dw-start.sh" $ENV{HOME})
+endif()
+
+if(NOT EXISTS $ENV{HOME}/telem-m0xer-3.txt)
+ configure_file("${CUSTOM_TELEMETRY_DIR}/telem-m0xer-3.txt" $ENV{HOME})
+endif()
+
+if(NOT EXISTS $ENV{HOME}/telem-balloon.conf)
+ configure_file("${CUSTOM_TELEMETRY_DIR}/telem-balloon.conf" $ENV{HOME})
+endif()
+
+if(NOT EXISTS $ENV{HOME}/telem-volts.conf)
+ configure_file("${CUSTOM_TELEMETRY_DIR}/telem-volts.conf" $ENV{HOME})
+endif()
diff --git a/conf/sdr.conf b/conf/sdr.conf
new file mode 100644
index 00000000..e506e523
--- /dev/null
+++ b/conf/sdr.conf
@@ -0,0 +1,30 @@
+#
+# Sample configuration for SDR read-only IGate.
+#
+
+# We might not have an audio output device so set to null.
+# We will override the input half on the command line.
+ADEVICE null null
+CHANNEL 0
+MYCALL xxx
+
+# First you need to specify the name of a Tier 2 server.
+# The current preferred way is to use one of these regional rotate addresses:
+
+# noam.aprs2.net - for North America
+# soam.aprs2.net - for South America
+# euro.aprs2.net - for Europe and Africa
+# asia.aprs2.net - for Asia
+# aunz.aprs2.net - for Oceania
+
+IGSERVER noam.aprs2.net
+
+# You also need to specify your login name and passcode.
+# Contact the author if you can't figure out how to generate the passcode.
+
+IGLOGIN xxx 123456
+
+# That's all you need for a receive only IGate which relays
+# messages from the local radio channel to the global servers.
+
+
diff --git a/config.c b/config.c
deleted file mode 100644
index 8dcd6f88..00000000
--- a/config.c
+++ /dev/null
@@ -1,2462 +0,0 @@
-//
-// This file is part of Dire Wolf, an amateur radio packet TNC.
-//
-// Copyright (C) 2011, 2012, 2013, 2014 John Langner, WB2OSZ
-//
-// This program is free software: you can redistribute it and/or modify
-// it under the terms of the GNU General Public License as published by
-// the Free Software Foundation, either version 2 of the License, or
-// (at your option) any later version.
-//
-// This program is distributed in the hope that it will be useful,
-// but WITHOUT ANY WARRANTY; without even the implied warranty of
-// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
-// GNU General Public License for more details.
-//
-// You should have received a copy of the GNU General Public License
-// along with this program. If not, see .
-//
-
-
-// #define DEBUG 1
-
-/*------------------------------------------------------------------
- *
- * Module: config.c
- *
- * Purpose: Read configuration information from a file.
- *
- * Description: This started out as a simple little application with a few
- * command line options. Due to creeping featurism, it's now
- * time to add a configuration file to specify options.
- *
- *---------------------------------------------------------------*/
-
-#include
-#include
-#include
-#include
-#include
-#include
-
-#if __WIN32__
-#include "pthreads/pthread.h"
-#else
-#include
-#endif
-
-#include "ax25_pad.h"
-#include "textcolor.h"
-#include "audio.h"
-#include "digipeater.h"
-#include "config.h"
-#include "aprs_tt.h"
-#include "igate.h"
-#include "latlong.h"
-#include "symbols.h"
-
-
-//#include "tq.h"
-
-/*
- * Conversions from various units to meters.
- * There is some disagreement about the exact values for some of these.
- * Close enough for our purposes.
- * Parsec, light year, and angstrom are probably not useful.
- */
-
-static const struct units_s {
- char *name;
- float meters;
-} units[] = {
- { "barleycorn", 0.008466667 },
- { "inch", 0.0254 },
- { "in", 0.0254 },
- { "hand", 0.1016 },
- { "shaku", 0.3030 },
- { "foot", 0.304801 },
- { "ft", 0.304801 },
- { "cubit", 0.4572 },
- { "megalithicyard", 0.8296 },
- { "my", 0.8296 },
- { "yard", 0.914402 },
- { "yd", 0.914402 },
- { "m", 1. },
- { "meter", 1. },
- { "metre", 1. },
- { "ell", 1.143 },
- { "ken", 1.818 },
- { "hiro", 1.818 },
- { "fathom", 1.8288 },
- { "fath", 1.8288 },
- { "toise", 1.949 },
- { "jo", 3.030 },
- { "twain", 3.6576074 },
- { "rod", 5.0292 },
- { "rd", 5.0292 },
- { "perch", 5.0292 },
- { "pole", 5.0292 },
- { "rope", 6.096 },
- { "dekameter", 10. },
- { "dekametre", 10. },
- { "dam", 10. },
- { "chain", 20.1168 },
- { "ch", 20.1168 },
- { "actus", 35.47872 },
- { "arpent", 58.471 },
- { "hectometer", 100. },
- { "hectometre", 100. },
- { "hm", 100. },
- { "cho", 109.1 },
- { "furlong", 201.168 },
- { "fur", 201.168 },
- { "kilometer", 1000. },
- { "kilometre", 1000. },
- { "km", 1000. },
- { "mile", 1609.344 },
- { "mi", 1609.344 },
- { "ri", 3927. },
- { "league", 4828.032 },
- { "lea", 4828.032 } };
-
-#define NUM_UNITS (sizeof(units) / sizeof(struct units_s))
-
-static int beacon_options(char *cmd, struct beacon_s *b, int line);
-
-
-/*------------------------------------------------------------------
- *
- * Name: parse_ll
- *
- * Purpose: Parse latitude or longitude from configuration file.
- *
- * Inputs: str - String like [-]deg[^min][hemisphere]
- *
- * which - LAT or LON for error checking and message.
- *
- * line - Line number for use in error message.
- *
- * Returns: Coordinate in signed degrees.
- *
- *----------------------------------------------------------------*/
-
-/* Acceptable symbols to separate degrees & minutes. */
-/* Degree symbol is not in ASCII so documentation says to use "^" instead. */
-/* Some wise guy will try to use degree symbol. */
-
-#define DEG1 '^'
-#define DEG2 0xb0 /* ISO Latin1 */
-#define DEG3 0xf8 /* Microsoft code page 437 */
-
-// TODO: recognize UTF-8 degree symbol.
-
-
-enum parse_ll_which_e { LAT, LON };
-
-static double parse_ll (char *str, enum parse_ll_which_e which, int line)
-{
- char stemp[40];
- int sign;
- double degrees, minutes;
- char *endptr;
- char hemi;
- int limit;
- unsigned char sep;
-
-/*
- * Remove any negative sign.
- */
- strcpy (stemp, str);
- sign = +1;
- if (stemp[0] == '-') {
- sign = -1;
- stemp[0] = ' ';
- }
-/*
- * Process any hemisphere on the end.
- */
- if (strlen(stemp) >= 2) {
- endptr = stemp + strlen(stemp) - 1;
- if (isalpha(*endptr)) {
-
- hemi = *endptr;
- *endptr = '\0';
- if (islower(hemi)) {
- hemi = toupper(hemi);
- }
-
- if (hemi == 'W' || hemi == 'S') {
- sign = -sign;
- }
-
- if (which == LAT) {
- if (hemi != 'N' && hemi != 'S') {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Line %d: Latitude hemisphere in \"%s\" is not N or S.\n", line, str);
- }
- }
- else {
- if (hemi != 'E' && hemi != 'W') {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Line %d: Longitude hemisphere in \"%s\" is not E or W.\n", line, str);
- }
- }
- }
- }
-
-/*
- * Parse the degrees part.
- */
- degrees = strtod (stemp, &endptr);
-
-/*
- * Is there a minutes part?
- */
- sep = *endptr;
- if (sep != '\0') {
-
- if (sep == DEG1 || sep == DEG2 || sep == DEG3) {
-
- minutes = strtod (endptr+1, &endptr);
- if (*endptr != '\0') {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Line %d: Unexpected character '%c' in location \"%s\"\n", line, sep, str);
- }
- if (minutes >= 60.0) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Line %d: Number of minutes in \"%s\" is >= 60.\n", line, str);
- }
- degrees += minutes / 60.0;
- }
- else {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Line %d: Unexpected character '%c' in location \"%s\"\n", line, sep, str);
- }
- }
-
- degrees = degrees * sign;
-
- limit = which == LAT ? 90 : 180;
- if (degrees < -limit || degrees > limit) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Line %d: Number of degrees in \"%s\" is out of range for %s\n", line, str,
- which == LAT ? "latitude" : "longitude");
- }
- //dw_printf ("%s = %f\n", str, degrees);
- return (degrees);
-}
-
-#if 0
-main ()
-{
-
- parse_ll ("12.5", LAT);
- parse_ll ("12.5N", LAT);
- parse_ll ("12.5E", LAT); // error
-
- parse_ll ("-12.5", LAT);
- parse_ll ("12.5S", LAT);
- parse_ll ("12.5W", LAT); // error
-
- parse_ll ("12.5", LON);
- parse_ll ("12.5E", LON);
- parse_ll ("12.5N", LON); // error
-
- parse_ll ("-12.5", LON);
- parse_ll ("12.5W", LON);
- parse_ll ("12.5S", LON); // error
-
- parse_ll ("12^30", LAT);
- parse_ll ("12°30", LAT);
-
- parse_ll ("91", LAT); // out of range
- parse_ll ("91", LON);
- parse_ll ("181", LON); // out of range
-
- parse_ll ("12&5", LAT); // bad character
-}
-#endif
-
-
-/*------------------------------------------------------------------
- *
- * Name: parse_interval
- *
- * Purpose: Parse time interval from configuration file.
- *
- * Inputs: str - String like 10 or 9:30
- *
- * line - Line number for use in error message.
- *
- * Returns: Number of seconds.
- *
- * Description: This is used by the BEACON configuration items
- * for initial delay or time between beacons.
- *
- * The format is either minutes or minutes:seconds.
- *
- *----------------------------------------------------------------*/
-
-
-static int parse_interval (char *str, int line)
-{
- char *p;
- int sec;
- int nc = 0;
- int bad = 0;
-
- for (p = str; *p != '\0'; p++) {
- if (*p == ':') nc++;
- else if ( ! isdigit(*p)) bad++;
- }
- if (bad > 0 || nc > 1) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Config file, line %d: Time interval must be of the form minutes or minutes:seconds.\n", line);
- }
-
- p = strchr (str, ':');
-
- if (p != NULL) {
- sec = atoi(str) * 60 + atoi(p+1);
- }
- else {
- sec = atoi(str) * 60;
- }
-
- return (sec);
-
-} /* end parse_interval */
-
-
-
-/*-------------------------------------------------------------------
- *
- * Name: config_init
- *
- * Purpose: Read configuration file when application starts up.
- *
- * Inputs: fname - Name of configuration file.
- *
- * Outputs: p_modem - Radio channel parameters stored here.
- *
- * p_digi_config - Digipeater configuration stored here.
- *
- * p_tt_config - APRStt stuff.
- *
- * p_igate_config - Internet Gateway.
- *
- * p_misc_config - Everything else. This wasn't thought out well.
- *
- * Description: Apply default values for various parameters then read the
- * the configuration file which can override those values.
- *
- * Errors: For invalid input, display line number and message on stdout (not stderr).
- * In many cases this will result in keeping the default rather than aborting.
- *
- * Bugs: Very simple-minded parsing.
- * Not much error checking. (e.g. atoi() will return 0 for invalid string.)
- * Not very forgiving about sloppy input.
- *
- *--------------------------------------------------------------------*/
-
-
-void config_init (char *fname, struct audio_s *p_modem,
- struct digi_config_s *p_digi_config,
- struct tt_config_s *p_tt_config,
- struct igate_config_s *p_igate_config,
- struct misc_config_s *p_misc_config)
-{
- FILE *fp;
- char stuff[256];
- //char *p;
- //int c, p;
- //int err;
- int line;
- int channel;
-
-#if DEBUG
- text_color_set(DW_COLOR_DEBUG);
- dw_printf ("config_init ( %s )\n", fname);
-#endif
-
-/*
- * First apply defaults.
- */
-
- memset (p_modem, 0, sizeof(struct audio_s));
-
- strcpy (p_modem->adevice_in, DEFAULT_ADEVICE);
- strcpy (p_modem->adevice_out, DEFAULT_ADEVICE);
-
- p_modem->num_channels = DEFAULT_NUM_CHANNELS; /* -2 stereo */
- p_modem->samples_per_sec = DEFAULT_SAMPLES_PER_SEC; /* -r option */
- p_modem->bits_per_sample = DEFAULT_BITS_PER_SAMPLE; /* -8 option for 8 instead of 16 bits */
- p_modem->fix_bits = DEFAULT_FIX_BITS;
-
- for (channel=0; channelmodem_type[channel] = AFSK;
- p_modem->mark_freq[channel] = DEFAULT_MARK_FREQ; /* -m option */
- p_modem->space_freq[channel] = DEFAULT_SPACE_FREQ; /* -s option */
- p_modem->baud[channel] = DEFAULT_BAUD; /* -b option */
-
- /* None. Will set default later based on other factors. */
- strcpy (p_modem->profiles[channel], "");
-
- p_modem->num_freq[channel] = 1;
- p_modem->num_subchan[channel] = 1;
- p_modem->offset[channel] = 0;
-
- // temp test.
- // p_modem->num_subchan[channel] = 9;
- // p_modem->offset[channel] = 60;
-
- p_modem->ptt_method[channel] = PTT_METHOD_NONE;
- strcpy (p_modem->ptt_device[channel], "");
- p_modem->ptt_line[channel] = PTT_LINE_RTS;
- p_modem->ptt_gpio[channel] = 0;
- p_modem->ptt_invert[channel] = 0;
-
- p_modem->slottime[channel] = DEFAULT_SLOTTIME;
- p_modem->persist[channel] = DEFAULT_PERSIST;
- p_modem->txdelay[channel] = DEFAULT_TXDELAY;
- p_modem->txtail[channel] = DEFAULT_TXTAIL;
- }
-
- memset (p_digi_config, 0, sizeof(struct digi_config_s));
- p_digi_config->num_chans = p_modem->num_channels;
- p_digi_config->dedupe_time = DEFAULT_DEDUPE;
-
- memset (p_tt_config, 0, sizeof(struct tt_config_s));
- p_tt_config->ttloc_size = 2; /* Start with at least 2. */
- /* When full, it will be increased by 50 %. */
- p_tt_config->ttloc_ptr = malloc (sizeof(struct ttloc_s) * p_tt_config->ttloc_size);
- p_tt_config->ttloc_len = 0;
-
- /* Retention time and decay algorithm from 13 Feb 13 version of */
- /* http://www.aprs.org/aprstt/aprstt-coding24.txt */
-
- p_tt_config->retain_time = 80 * 60;
- p_tt_config->num_xmits = 7;
- assert (p_tt_config->num_xmits <= TT_MAX_XMITS);
- p_tt_config->xmit_delay[0] = 3; /* Before initial transmission. */
- p_tt_config->xmit_delay[1] = 16;
- p_tt_config->xmit_delay[2] = 32;
- p_tt_config->xmit_delay[3] = 64;
- p_tt_config->xmit_delay[4] = 2 * 60;
- p_tt_config->xmit_delay[5] = 4 * 60;
- p_tt_config->xmit_delay[6] = 8 * 60;
-
- memset (p_misc_config, 0, sizeof(struct misc_config_s));
- p_misc_config->num_channels = p_modem->num_channels;
- p_misc_config->agwpe_port = DEFAULT_AGWPE_PORT;
- p_misc_config->kiss_port = DEFAULT_KISS_PORT;
- p_misc_config->enable_kiss_pt = 0; /* -p option */
-
- /* Defaults from http://info.aprs.net/index.php?title=SmartBeaconing */
-
- p_misc_config->sb_configured = 0; /* TRUE if SmartBeaconing is configured. */
- p_misc_config->sb_fast_speed = 60; /* MPH */
- p_misc_config->sb_fast_rate = 180; /* seconds */
- p_misc_config->sb_slow_speed = 5; /* MPH */
- p_misc_config->sb_slow_rate = 1800; /* seconds */
- p_misc_config->sb_turn_time = 15; /* seconds */
- p_misc_config->sb_turn_angle = 30; /* degrees */
- p_misc_config->sb_turn_slope = 255; /* degrees * MPH */
-
- memset (p_igate_config, 0, sizeof(struct igate_config_s));
- p_igate_config->t2_server_port = DEFAULT_IGATE_PORT;
- p_igate_config->tx_chan = -1; /* IS->RF not enabled */
- p_igate_config->tx_limit_1 = 6;
- p_igate_config->tx_limit_5 = 20;
-
-
- /* People find this confusing. */
- /* Ideally we'd like to figure out if com0com is installed */
- /* and automatically enable this. */
-
- //strcpy (p_misc_config->nullmodem, DEFAULT_NULLMODEM);
- strcpy (p_misc_config->nullmodem, "");
-
-
-/*
- * Try to extract options from a file.
- *
- * Windows: File must be in current working directory.
- *
- * Linux: Search current directory then home directory.
- */
-
-
- channel = 0;
-
- fp = fopen (fname, "r");
-#ifndef __WIN32__
- if (fp == NULL && strcmp(fname, "direwolf.conf") == 0) {
- /* Failed to open the default location. Try home dir. */
- char *p;
-
- p = getenv("HOME");
- if (p != NULL) {
- strcpy (stuff, p);
- strcat (stuff, "/direwolf.conf");
- fp = fopen (stuff, "r");
- }
- }
-#endif
- if (fp == NULL) {
- // TODO: not exactly right for all situations.
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("ERROR - Could not open config file %s\n", fname);
- dw_printf ("Try using -c command line option for alternate location.\n");
- return;
- }
-
-
- line = 0;
- while (fgets(stuff, sizeof(stuff), fp) != NULL) {
- char *t;
-
- line++;
-
-
- t = strtok (stuff, " ,\t\n\r");
- if (t == NULL) {
- continue;
- }
-
- if (*t == '#' || *t == '*') {
- continue;
- }
-
-
-
-/*
- * ==================== Audio device parameters ====================
- */
-
-/*
- * ADEVICE - Name of input sound device, and optionally output, if different.
- */
-
- /* Note that ALSA name can contain comma such as hw:1,0 */
-
- if (strcasecmp(t, "ADEVICE") == 0) {
- t = strtok (NULL, " \t\n\r");
- if (t == NULL) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Config file: Missing name of audio device for ADEVICE command on line %d.\n", line);
- continue;
- }
- strncpy (p_modem->adevice_in, t, sizeof(p_modem->adevice_in)-1);
- strncpy (p_modem->adevice_out, t, sizeof(p_modem->adevice_out)-1);
-
- t = strtok (NULL, " \t\n\r");
- if (t != NULL) {
- strncpy (p_modem->adevice_out, t, sizeof(p_modem->adevice_out)-1);
- }
- }
-
-/*
- * ARATE - Audio samples per second, 11025, 22050, 44100, etc.
- */
-
- else if (strcasecmp(t, "ARATE") == 0) {
- int n;
- t = strtok (NULL, " ,\t\n\r");
- if (t == NULL) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Line %d: Missing audio sample rate for ARATE command.\n", line);
- continue;
- }
- n = atoi(t);
- if (n >= MIN_SAMPLES_PER_SEC && n <= MAX_SAMPLES_PER_SEC) {
- p_modem->samples_per_sec = n;
- }
- else {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Line %d: Use a more reasonable audio sample rate in range of %d - %d.\n",
- line, MIN_SAMPLES_PER_SEC, MAX_SAMPLES_PER_SEC);
- }
- }
-
-/*
- * ACHANNELS - Number of audio channels: 1 or 2
- */
-
- else if (strcasecmp(t, "ACHANNELS") == 0) {
- int n;
- t = strtok (NULL, " ,\t\n\r");
- if (t == NULL) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Line %d: Missing number of audio channels for ACHANNELS command.\n", line);
- continue;
- }
- n = atoi(t);
- if (n >= 1 && n <= MAX_CHANS) {
- p_modem->num_channels = n;
- p_digi_config->num_chans = p_modem->num_channels;
- p_misc_config->num_channels = p_modem->num_channels;
- }
- else {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Line %d: Number of audio channels must be 1 or 2.\n", line);
- }
- }
-
-/*
- * ==================== Radio channel parameters ====================
- */
-
-/*
- * CHANNEL - Set channel for following commands.
- */
-
- else if (strcasecmp(t, "CHANNEL") == 0) {
- int n;
- t = strtok (NULL, " ,\t\n\r");
- if (t == NULL) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Line %d: Missing channel number for CHANNEL command.\n", line);
- continue;
- }
- n = atoi(t);
- if (n >= 0 && n < MAX_CHANS) {
- channel = n;
- }
- else {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Line %d: Audio channel number must be 0 or 1.\n", line);
- channel = 0;
- }
- }
-
-/*
- * MYCALL station
- */
- else if (strcasecmp(t, "mycall") == 0) {
- t = strtok (NULL, " ,\t\n\r");
- if (t == NULL) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Config file: Missing value for MYCALL command on line %d.\n", line);
- continue;
- }
- else {
- char *p;
-
- strncpy (p_digi_config->mycall[channel], t, sizeof(p_digi_config->mycall[channel])-1);
-
- for (p = p_digi_config->mycall[channel]; *p != '\0'; p++) {
- if (islower(*p)) {
- *p = toupper(*p); /* silently force upper case. */
- }
- }
- // TODO: additional checks if valid
- }
- }
-
-
-/*
- * MODEM - Replaces former HBAUD, MARK, SPACE, and adds new multi modem capability.
- *
- * MODEM baud [ mark space [A][B][C] [ num-decoders spacing ] ]
- */
-
- else if (strcasecmp(t, "MODEM") == 0) {
- int n;
- t = strtok (NULL, " ,\t\n\r");
- if (t == NULL) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Line %d: Missing date transmission rate for MODEM command.\n", line);
- continue;
- }
- n = atoi(t);
- if (n >= 100 && n <= 10000) {
- p_modem->baud[channel] = n;
- if (n != 300 && n != 1200 && n != 9600) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Line %d: Warning: Non-standard baud rate. Are you sure?\n", line);
- }
- }
- else {
- p_modem->baud[channel] = DEFAULT_BAUD;
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Line %d: Unreasonable baud rate. Using %d.\n",
- line, p_modem->baud[channel]);
- }
-
-
-
- /* Get mark frequency. */
-
- t = strtok (NULL, " ,\t\n\r");
- if (t == NULL) {
- text_color_set(DW_COLOR_INFO);
- dw_printf ("Note: Using scrambled baseband rather than AFSK modem.\n");
- p_modem->modem_type[channel] = SCRAMBLE;
- p_modem->mark_freq[channel] = 0;
- p_modem->space_freq[channel] = 0;
- continue;
- }
-
- n = atoi(t);
- /* Originally the upper limit was 3000. */
- /* Version 1.0 increased to 5000 because someone */
- /* wanted to use 2400/4800 Hz AFSK. */
- /* Of course the MIC and SPKR connections won't */
- /* have enough bandwidth so radios must be modified. */
- if (n >= 300 && n <= 5000) {
- p_modem->mark_freq[channel] = n;
- }
- else {
- p_modem->mark_freq[channel] = DEFAULT_MARK_FREQ;
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Line %d: Unreasonable mark tone frequency. Using %d.\n",
- line, p_modem->mark_freq[channel]);
- }
-
- /* Get space frequency */
-
- t = strtok (NULL, " ,\t\n\r");
- if (t == NULL) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Line %d: Missing tone frequency for space.\n", line);
- continue;
- }
- n = atoi(t);
- if (n >= 300 && n <= 5000) {
- p_modem->space_freq[channel] = n;
- }
- else {
- p_modem->space_freq[channel] = DEFAULT_SPACE_FREQ;
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Line %d: Unreasonable space tone frequency. Using %d.\n",
- line, p_modem->space_freq[channel]);
- }
-
- /* New feature in 0.9 - Optional filter profile(s). */
-
- /* First, set a default based on platform and baud. */
-
- if (p_modem->baud[channel] < 600) {
-
- /* "D" is a little better at 300 baud. */
-
- strcpy (p_modem->profiles[channel], "D");
- }
- else {
-#if __arm__
- /* We probably don't have a lot of CPU power available. */
-
- if (p_modem->baud[channel] == DEFAULT_BAUD &&
- p_modem->mark_freq[channel] == DEFAULT_MARK_FREQ &&
- p_modem->space_freq[channel] == DEFAULT_SPACE_FREQ &&
- p_modem->samples_per_sec == DEFAULT_SAMPLES_PER_SEC) {
-
- strcpy (p_modem->profiles[channel], "F");
- }
- else {
- strcpy (p_modem->profiles[channel], "A");
- }
-#else
- strcpy (p_modem->profiles[channel], "C");
-#endif
- }
-
- t = strtok (NULL, " ,\t\n\r");
- if (t != NULL) {
- if (isalpha(t[0])) {
- // TODO: should check all letters.
- strncpy (p_modem->profiles[channel], t, sizeof(p_modem->profiles[channel]));
- p_modem->num_subchan[channel] = strlen(p_modem->profiles[channel]);
- t = strtok (NULL, " ,\t\n\r");
- if (strlen(p_modem->profiles[channel]) > 1 && t != NULL) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Line %d: Can't combine multiple demodulator types and multiple frequencies.\n", line);
- continue;
- }
- }
- }
-
- /* New feature in 0.9 - optional number of decoders and frequency offset between. */
-
- if (t != NULL) {
- n = atoi(t);
- if (n < 1 || n > MAX_SUBCHANS) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Line %d: Number of modems is out of range. Using 3.\n", line);
- n = 3;
- }
- p_modem->num_freq[channel] = n;
- p_modem->num_subchan[channel] = n;
-
- t = strtok (NULL, " ,\t\n\r");
- if (t != NULL) {
- n = atoi(t);
- if (n < 5 || n > abs(p_modem->mark_freq[channel] - p_modem->space_freq[channel])/2) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Line %d: Unreasonable value for offset between modems. Using 50 Hz.\n", line);
- n = 50;
- }
- p_modem->offset[channel] = n;
- }
- else {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Line %d: Missing frequency offset between modems. Using 50 Hz.\n", line);
- p_modem->offset[channel] = 50;
- }
-
-// TODO: power saver
- }
- }
-
-/*
- * (deprecated) HBAUD - Set data bits per second. Standard values are 300 & 1200 for AFSK
- * and 9600 for baseband with scrambling.
- */
-
- else if (strcasecmp(t, "HBAUD") == 0) {
- int n;
- t = strtok (NULL, " ,\t\n\r");
- if (t == NULL) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Line %d: Missing date transmission rate for HBAUD command.\n", line);
- continue;
- }
- n = atoi(t);
- if (n >= 100 && n <= 10000) {
- p_modem->baud[channel] = n;
- if (n != 300 && n != 1200 && n != 9600) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Line %d: Warning: Non-standard baud rate. Are you sure?\n", line);
- }
- if (n == 9600) {
- /* TODO: should be separate option to keep it more general. */
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Line %d: Note: Using scrambled baseband for 9600 baud.\n", line);
- p_modem->modem_type[channel] = SCRAMBLE;
- }
- }
- else {
- p_modem->baud[channel] = DEFAULT_BAUD;
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Line %d: Unreasonable baud rate. Using %d.\n",
- line, p_modem->baud[channel]);
- }
- }
-
-/*
- * (deprecated) MARK - Mark tone frequency.
- */
-
- else if (strcasecmp(t, "MARK") == 0) {
- int n;
- t = strtok (NULL, " ,\t\n\r");
- if (t == NULL) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Line %d: Missing tone frequency for MARK command.\n", line);
- continue;
- }
- n = atoi(t);
- if (n >= 300 && n <= 3000) {
- p_modem->mark_freq[channel] = n;
- }
- else {
- p_modem->mark_freq[channel] = DEFAULT_MARK_FREQ;
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Line %d: Unreasonable mark tone frequency. Using %d.\n",
- line, p_modem->mark_freq[channel]);
- }
- }
-
-/*
- * (deprecated) SPACE - Space tone frequency.
- */
-
- else if (strcasecmp(t, "SPACE") == 0) {
- int n;
- t = strtok (NULL, " ,\t\n\r");
- if (t == NULL) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Line %d: Missing tone frequency for SPACE command.\n", line);
- continue;
- }
- n = atoi(t);
- if (n >= 300 && n <= 3000) {
- p_modem->space_freq[channel] = n;
- }
- else {
- p_modem->space_freq[channel] = DEFAULT_SPACE_FREQ;
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Line %d: Unreasonable space tone frequency. Using %d.\n",
- line, p_modem->space_freq[channel]);
- }
- }
-
-/*
- * PTT - Push To Talk signal line.
- *
- * PTT serial-port [-]rts-or-dtr
- * PTT GPIO [-]gpio-num
- */
-
- else if (strcasecmp(t, "PTT") == 0) {
- //int n;
- t = strtok (NULL, " ,\t\n\r");
- if (t == NULL) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Config file line %d: Missing serial port name for PTT command.\n",
- line);
- continue;
- }
-
- if (strcasecmp(t, "GPIO") != 0) {
-
-/* serial port case. */
-
- strncpy (p_modem->ptt_device[channel], t, sizeof(p_modem->ptt_device[channel]));
-
- t = strtok (NULL, " ,\t\n\r");
- if (t == NULL) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Config file line %d: Missing RTS or DTR after PTT device name.\n",
- line);
- continue;
- }
-
- if (strcasecmp(t, "rts") == 0) {
- p_modem->ptt_line[channel] = PTT_LINE_RTS;
- p_modem->ptt_invert[channel] = 0;
- }
- else if (strcasecmp(t, "dtr") == 0) {
- p_modem->ptt_line[channel] = PTT_LINE_DTR;
- p_modem->ptt_invert[channel] = 0;
- }
- else if (strcasecmp(t, "-rts") == 0) {
- p_modem->ptt_line[channel] = PTT_LINE_RTS;
- p_modem->ptt_invert[channel] = 1;
- }
- else if (strcasecmp(t, "-dtr") == 0) {
- p_modem->ptt_line[channel] = PTT_LINE_DTR;
- p_modem->ptt_invert[channel] = 1;
- }
- else {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Config file line %d: Expected RTS or DTR after PTT device name.\n",
- line);
- continue;
- }
-
- p_modem->ptt_method[channel] = PTT_METHOD_SERIAL;
- }
- else {
-
-/* GPIO case, Linux only. */
-
-// TODO:
-#if 0
-//#if __WIN32__
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Config file line %d: PTT with GPIO is only available on Linux.\n", line);
-#else
- t = strtok (NULL, " ,\t\n\r");
- if (t == NULL) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Config file line %d: Missing GPIO number.\n", line);
- continue;
- }
-
- if (*t == '-') {
- p_modem->ptt_gpio[channel] = atoi(t+1);
- p_modem->ptt_invert[channel] = 1;
- }
- else {
- p_modem->ptt_gpio[channel] = atoi(t);
- p_modem->ptt_invert[channel] = 0;
- }
- p_modem->ptt_method[channel] = PTT_METHOD_GPIO;
-#endif
- }
- }
-
-
-/*
- * SLOTTIME - For non-digipeat transmit delay timing.
- */
-
- else if (strcasecmp(t, "SLOTTIME") == 0) {
- int n;
- t = strtok (NULL, " ,\t\n\r");
- if (t == NULL) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Line %d: Missing delay time for SLOTTIME command.\n", line);
- continue;
- }
- n = atoi(t);
- if (n >= 0 && n <= 255) {
- p_modem->slottime[channel] = n;
- }
- else {
- p_modem->slottime[channel] = DEFAULT_SLOTTIME;
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Line %d: Invalid delay time for persist algorithm. Using %d.\n",
- line, p_modem->slottime[channel]);
- }
- }
-
-/*
- * PERSIST - For non-digipeat transmit delay timing.
- */
-
- else if (strcasecmp(t, "PERSIST") == 0) {
- int n;
- t = strtok (NULL, " ,\t\n\r");
- if (t == NULL) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Line %d: Missing probability for PERSIST command.\n", line);
- continue;
- }
- n = atoi(t);
- if (n >= 0 && n <= 255) {
- p_modem->persist[channel] = n;
- }
- else {
- p_modem->persist[channel] = DEFAULT_PERSIST;
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Line %d: Invalid probability for persist algorithm. Using %d.\n",
- line, p_modem->persist[channel]);
- }
- }
-
-/*
- * TXDELAY - For transmit delay timing.
- */
-
- else if (strcasecmp(t, "TXDELAY") == 0) {
- int n;
- t = strtok (NULL, " ,\t\n\r");
- if (t == NULL) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Line %d: Missing time for TXDELAY command.\n", line);
- continue;
- }
- n = atoi(t);
- if (n >= 0 && n <= 255) {
- p_modem->txdelay[channel] = n;
- }
- else {
- p_modem->txdelay[channel] = DEFAULT_TXDELAY;
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Line %d: Invalid time for transmit delay. Using %d.\n",
- line, p_modem->txdelay[channel]);
- }
- }
-
-/*
- * TXTAIL - For transmit timing.
- */
-
- else if (strcasecmp(t, "TXTAIL") == 0) {
- int n;
- t = strtok (NULL, " ,\t\n\r");
- if (t == NULL) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Line %d: Missing time for TXTAIL command.\n", line);
- continue;
- }
- n = atoi(t);
- if (n >= 0 && n <= 255) {
- p_modem->txtail[channel] = n;
- }
- else {
- p_modem->txtail[channel] = DEFAULT_TXTAIL;
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Line %d: Invalid time for transmit timing. Using %d.\n",
- line, p_modem->txtail[channel]);
- }
- }
-
-/*
- * ==================== Digipeater parameters ====================
- */
-
- else if (strcasecmp(t, "digipeat") == 0) {
- int from_chan, to_chan;
- int e;
- char message[100];
-
-
- t = strtok (NULL, " ,\t\n\r");
- if (t == NULL) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Config file: Missing FROM-channel on line %d.\n", line);
- continue;
- }
- from_chan = atoi(t);
- if (from_chan < 0 || from_chan > p_digi_config->num_chans-1) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Config file: FROM-channel must be in range of 0 to %d on line %d.\n",
- p_digi_config->num_chans-1, line);
- continue;
- }
-
- t = strtok (NULL, " ,\t\n\r");
- if (t == NULL) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Config file: Missing TO-channel on line %d.\n", line);
- continue;
- }
- to_chan = atoi(t);
- if (to_chan < 0 || to_chan > p_digi_config->num_chans-1) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Config file: TO-channel must be in range of 0 to %d on line %d.\n",
- p_digi_config->num_chans-1, line);
- continue;
- }
-
- t = strtok (NULL, " ,\t\n\r");
- if (t == NULL) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Config file: Missing alias pattern on line %d.\n", line);
- continue;
- }
- e = regcomp (&(p_digi_config->alias[from_chan][to_chan]), t, REG_EXTENDED|REG_NOSUB);
- if (e != 0) {
- regerror (e, &(p_digi_config->alias[from_chan][to_chan]), message, sizeof(message));
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Config file: Invalid alias matching pattern on line %d:\n%s\n",
- line, message);
- continue;
- }
-
- t = strtok (NULL, " ,\t\n\r");
- if (t == NULL) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Config file: Missing wide pattern on line %d.\n", line);
- continue;
- }
- e = regcomp (&(p_digi_config->wide[from_chan][to_chan]), t, REG_EXTENDED|REG_NOSUB);
- if (e != 0) {
- regerror (e, &(p_digi_config->wide[from_chan][to_chan]), message, sizeof(message));
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Config file: Invalid wide matching pattern on line %d:\n%s\n",
- line, message);
- continue;
- }
-
- p_digi_config->enabled[from_chan][to_chan] = 1;
- p_digi_config->preempt[from_chan][to_chan] = PREEMPT_OFF;
-
- t = strtok (NULL, " ,\t\n\r");
- if (t != NULL) {
- if (strcasecmp(t, "OFF") == 0) {
- p_digi_config->preempt[from_chan][to_chan] = PREEMPT_OFF;
- }
- else if (strcasecmp(t, "DROP") == 0) {
- p_digi_config->preempt[from_chan][to_chan] = PREEMPT_DROP;
- }
- else if (strcasecmp(t, "MARK") == 0) {
- p_digi_config->preempt[from_chan][to_chan] = PREEMPT_MARK;
- }
- else if (strcasecmp(t, "TRACE") == 0) {
- p_digi_config->preempt[from_chan][to_chan] = PREEMPT_TRACE;
- }
- else {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Config file: Expected OFF, DROP, MARK, or TRACE on line %d.\n", line);
- }
-
- }
- }
-
-/*
- * DEDUPE - Time to suppress digipeating of duplicate packets.
- */
-
- else if (strcasecmp(t, "DEDUPE") == 0) {
- int n;
- t = strtok (NULL, " ,\t\n\r");
- if (t == NULL) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Line %d: Missing time for DEDUPE command.\n", line);
- continue;
- }
- n = atoi(t);
- if (n >= 0 && n < 600) {
- p_digi_config->dedupe_time = n;
- }
- else {
- p_digi_config->dedupe_time = DEFAULT_DEDUPE;
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Line %d: Unreasonable value for dedupe time. Using %d.\n",
- line, p_digi_config->dedupe_time);
- }
- }
-
-
-/*
- * ==================== APRStt gateway ====================
- */
-
-/*
- * TTCORRAL - How to handle unknown positions
- *
- * TTCORRAL latitude longitude offset-or-ambiguity
- */
-
- else if (strcasecmp(t, "TTCORRAL") == 0) {
- //int n;
- t = strtok (NULL, " ,\t\n\r");
- if (t == NULL) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Line %d: Missing latitude for TTCORRAL command.\n", line);
- continue;
- }
- p_tt_config->corral_lat = parse_ll(t,LAT,line);
-
- t = strtok (NULL, " ,\t\n\r");
- if (t == NULL) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Line %d: Missing longitude for TTCORRAL command.\n", line);
- continue;
- }
- p_tt_config->corral_lon = parse_ll(t,LON,line);
-
- t = strtok (NULL, " ,\t\n\r");
- if (t == NULL) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Line %d: Missing longitude for TTCORRAL command.\n", line);
- continue;
- }
- p_tt_config->corral_offset = parse_ll(t,LAT,line);
- if (p_tt_config->corral_offset == 1 ||
- p_tt_config->corral_offset == 2 ||
- p_tt_config->corral_offset == 3) {
- p_tt_config->corral_ambiguity = p_tt_config->corral_offset;
- p_tt_config->corral_offset = 0;
- }
-
- //dw_printf ("DEBUG: corral %f %f %f %d\n", p_tt_config->corral_lat,
- // p_tt_config->corral_lon, p_tt_config->corral_offset, p_tt_config->corral_ambiguity);
- }
-
-/*
- * TTPOINT - Define a point represented by touch tone sequence.
- *
- * TTPOINT pattern latitude longitude
- */
- else if (strcasecmp(t, "TTPOINT") == 0) {
-
- struct ttloc_s *tl;
- int j;
-
- assert (p_tt_config->ttloc_size >= 2);
- assert (p_tt_config->ttloc_len >= 0 && p_tt_config->ttloc_len <= p_tt_config->ttloc_size);
-
- /* Allocate new space, but first, if already full, make larger. */
- if (p_tt_config->ttloc_len == p_tt_config->ttloc_size) {
- p_tt_config->ttloc_size += p_tt_config->ttloc_size / 2;
- p_tt_config->ttloc_ptr = realloc (p_tt_config->ttloc_ptr, sizeof(struct ttloc_s) * p_tt_config->ttloc_size);
- }
- p_tt_config->ttloc_len++;
- assert (p_tt_config->ttloc_len >= 0 && p_tt_config->ttloc_len <= p_tt_config->ttloc_size);
-
- tl = &(p_tt_config->ttloc_ptr[p_tt_config->ttloc_len-1]);
- tl->type = TTLOC_POINT;
- strcpy(tl->pattern, "");
- tl->point.lat = 0;
- tl->point.lon = 0;
-
- /* Pattern: B and digits */
-
- t = strtok (NULL, " ,\t\n\r");
- if (t == NULL) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Line %d: Missing pattern for TTPOINT command.\n", line);
- continue;
- }
- strcpy (tl->pattern, t);
-
- if (t[0] != 'B') {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Line %d: TTPOINT pattern must begin with upper case 'B'.\n", line);
- }
- for (j=1; jpoint.lat = parse_ll(t,LAT,line);
-
- /* Longitude */
-
- t = strtok (NULL, " ,\t\n\r");
- if (t == NULL) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Line %d: Missing longitude for TTPOINT command.\n", line);
- continue;
- }
- tl->point.lon = parse_ll(t,LON,line);
-
- /* temp debugging */
-
- //for (j=0; jttloc_len; j++) {
- // dw_printf ("debug ttloc %d/%d %s\n", j, p_tt_config->ttloc_size,
- // p_tt_config->ttloc_ptr[j].pattern);
- //}
- }
-
-/*
- * TTVECTOR - Touch tone location with bearing and distance.
- *
- * TTVECTOR pattern latitude longitude scale unit
- */
- else if (strcasecmp(t, "TTVECTOR") == 0) {
-
- struct ttloc_s *tl;
- int j;
- double scale;
- double meters;
-
- assert (p_tt_config->ttloc_size >= 2);
- assert (p_tt_config->ttloc_len >= 0 && p_tt_config->ttloc_len <= p_tt_config->ttloc_size);
-
- /* Allocate new space, but first, if already full, make larger. */
- if (p_tt_config->ttloc_len == p_tt_config->ttloc_size) {
- p_tt_config->ttloc_size += p_tt_config->ttloc_size / 2;
- p_tt_config->ttloc_ptr = realloc (p_tt_config->ttloc_ptr, sizeof(struct ttloc_s) * p_tt_config->ttloc_size);
- }
- p_tt_config->ttloc_len++;
- assert (p_tt_config->ttloc_len >= 0 && p_tt_config->ttloc_len <= p_tt_config->ttloc_size);
-
- tl = &(p_tt_config->ttloc_ptr[p_tt_config->ttloc_len-1]);
- tl->type = TTLOC_VECTOR;
- strcpy(tl->pattern, "");
- tl->vector.lat = 0;
- tl->vector.lon = 0;
- tl->vector.scale = 1;
-
- /* Pattern: B5bbbd... */
-
- t = strtok (NULL, " ,\t\n\r");
- if (t == NULL) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Line %d: Missing pattern for TTVECTOR command.\n", line);
- continue;
- }
- strcpy (tl->pattern, t);
-
- if (t[0] != 'B') {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Line %d: TTVECTOR pattern must begin with upper case 'B'.\n", line);
- }
- if (strncmp(t+1, "5bbb", 4) != 0) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Line %d: TTVECTOR pattern would normally contain \"5bbb\".\n", line);
- }
- for (j=1; jvector.lat = parse_ll(t,LAT,line);
-
- /* Longitude */
-
- t = strtok (NULL, " ,\t\n\r");
- if (t == NULL) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Line %d: Missing longitude for TTVECTOR command.\n", line);
- continue;
- }
- tl->vector.lon = parse_ll(t,LON,line);
-
- /* Longitude */
-
- t = strtok (NULL, " ,\t\n\r");
- if (t == NULL) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Line %d: Missing scale for TTVECTOR command.\n", line);
- continue;
- }
- scale = atof(t);
-
- /* Unit. */
-
- t = strtok (NULL, " ,\t\n\r");
- if (t == NULL) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Line %d: Missing unit for TTVECTOR command.\n", line);
- continue;
- }
- meters = 0;
- for (j=0; jvector.scale = scale * meters;
-
- //dw_printf ("ttvector: %f meters\n", tl->vector.scale);
-
- /* temp debugging */
-
- //for (j=0; jttloc_len; j++) {
- // dw_printf ("debug ttloc %d/%d %s\n", j, p_tt_config->ttloc_size,
- // p_tt_config->ttloc_ptr[j].pattern);
- //}
- }
-
-/*
- * TTGRID - Define a grid for touch tone locations.
- *
- * TTGRID pattern min-latitude min-longitude max-latitude max-longitude
- */
- else if (strcasecmp(t, "TTGRID") == 0) {
-
- struct ttloc_s *tl;
- int j;
-
- assert (p_tt_config->ttloc_size >= 2);
- assert (p_tt_config->ttloc_len >= 0 && p_tt_config->ttloc_len <= p_tt_config->ttloc_size);
-
- /* Allocate new space, but first, if already full, make larger. */
- if (p_tt_config->ttloc_len == p_tt_config->ttloc_size) {
- p_tt_config->ttloc_size += p_tt_config->ttloc_size / 2;
- p_tt_config->ttloc_ptr = realloc (p_tt_config->ttloc_ptr, sizeof(struct ttloc_s) * p_tt_config->ttloc_size);
- }
- p_tt_config->ttloc_len++;
- assert (p_tt_config->ttloc_len >= 0 && p_tt_config->ttloc_len <= p_tt_config->ttloc_size);
-
- tl = &(p_tt_config->ttloc_ptr[p_tt_config->ttloc_len-1]);
- tl->type = TTLOC_GRID;
- strcpy(tl->pattern, "");
- tl->grid.lat0 = 0;
- tl->grid.lon0 = 0;
- tl->grid.lat9 = 0;
- tl->grid.lon9 = 0;
-
- /* Pattern: B [digit] x... y... */
-
- t = strtok (NULL, " ,\t\n\r");
- if (t == NULL) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Line %d: Missing pattern for TTGRID command.\n", line);
- continue;
- }
- strcpy (tl->pattern, t);
-
- if (t[0] != 'B') {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Line %d: TTGRID pattern must begin with upper case 'B'.\n", line);
- }
- for (j=1; jgrid.lat0 = parse_ll(t,LAT,line);
-
- /* Minimum Longitude - all zeros in received data */
-
- t = strtok (NULL, " ,\t\n\r");
- if (t == NULL) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Line %d: Missing longitude for TTGRID command.\n", line);
- continue;
- }
- tl->grid.lon0 = parse_ll(t,LON,line);
-
- /* Maximum Latitude - all nines in received data */
-
- t = strtok (NULL, " ,\t\n\r");
- if (t == NULL) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Line %d: Missing latitude for TTGRID command.\n", line);
- continue;
- }
- tl->grid.lat9 = parse_ll(t,LAT,line);
-
- /* Maximum Longitude - all nines in received data */
-
- t = strtok (NULL, " ,\t\n\r");
- if (t == NULL) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Line %d: Missing longitude for TTGRID command.\n", line);
- continue;
- }
- tl->grid.lon0 = parse_ll(t,LON,line);
-
- /* temp debugging */
-
- //for (j=0; jttloc_len; j++) {
- // dw_printf ("debug ttloc %d/%d %s\n", j, p_tt_config->ttloc_size,
- // p_tt_config->ttloc_ptr[j].pattern);
- //}
- }
-
-/*
- * TTUTM - Specify UTM zone for touch tone locations.
- *
- * TTUTM pattern zone [ scale [ x-offset y-offset ] ]
- */
- else if (strcasecmp(t, "TTUTM") == 0) {
-
- struct ttloc_s *tl;
- int j;
- int znum;
- char *zlet;
-
- assert (p_tt_config->ttloc_size >= 2);
- assert (p_tt_config->ttloc_len >= 0 && p_tt_config->ttloc_len <= p_tt_config->ttloc_size);
-
- /* Allocate new space, but first, if already full, make larger. */
- if (p_tt_config->ttloc_len == p_tt_config->ttloc_size) {
- p_tt_config->ttloc_size += p_tt_config->ttloc_size / 2;
- p_tt_config->ttloc_ptr = realloc (p_tt_config->ttloc_ptr, sizeof(struct ttloc_s) * p_tt_config->ttloc_size);
- }
- p_tt_config->ttloc_len++;
- assert (p_tt_config->ttloc_len >= 0 && p_tt_config->ttloc_len <= p_tt_config->ttloc_size);
-
- tl = &(p_tt_config->ttloc_ptr[p_tt_config->ttloc_len-1]);
- tl->type = TTLOC_UTM;
- strcpy(tl->pattern, "");
- strcpy(tl->utm.zone, "");
- tl->utm.scale = 1;
- tl->utm.x_offset = 0;
- tl->utm.y_offset = 0;
-
- /* Pattern: B [digit] x... y... */
-
- t = strtok (NULL, " ,\t\n\r");
- if (t == NULL) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Line %d: Missing pattern for TTUTM command.\n", line);
- continue;
- }
- strcpy (tl->pattern, t);
-
- if (t[0] != 'B') {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Line %d: TTUTM pattern must begin with upper case 'B'.\n", line);
- }
- for (j=1; jutm.zone, 0, sizeof (tl->utm.zone));
- strncpy (tl->utm.zone, t, sizeof (tl->utm.zone) - 1);
-
- znum = strtoul(tl->utm.zone, &zlet, 10);
-
- if (znum < 1 || znum > 60) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Line %d: Zone number is out of range.\n\n", line);
- continue;
- }
-
- if (*zlet != '\0' && strchr ("CDEFGHJKLMNPQRSTUVWX", *zlet) == NULL) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Line %d: Latitudinal band must be one of CDEFGHJKLMNPQRSTUVWX.\n\n", line);
- continue;
- }
-
- /* Optional scale. */
-
- t = strtok (NULL, " ,\t\n\r");
- if (t == NULL) {
- continue;
- }
- tl->utm.scale = atof(t);
-
- /* Optional x offset. */
-
- t = strtok (NULL, " ,\t\n\r");
- if (t == NULL) {
- continue;
- }
- tl->utm.x_offset = atof(t);
-
- /* Optional y offset. */
-
- t = strtok (NULL, " ,\t\n\r");
- if (t == NULL) {
- continue;
- }
- tl->utm.y_offset = atof(t);
- }
-
-/*
- * TTMACRO - Define compact message format with full expansion
- *
- * TTMACRO pattern definition
- */
- else if (strcasecmp(t, "TTMACRO") == 0) {
-
- struct ttloc_s *tl;
- int j;
- //char ch;
- int p_count[3], d_count[3];
-
- assert (p_tt_config->ttloc_size >= 2);
- assert (p_tt_config->ttloc_len >= 0 && p_tt_config->ttloc_len <= p_tt_config->ttloc_size);
-
- /* Allocate new space, but first, if already full, make larger. */
- if (p_tt_config->ttloc_len == p_tt_config->ttloc_size) {
- p_tt_config->ttloc_size += p_tt_config->ttloc_size / 2;
- p_tt_config->ttloc_ptr = realloc (p_tt_config->ttloc_ptr, sizeof(struct ttloc_s) * p_tt_config->ttloc_size);
- }
- p_tt_config->ttloc_len++;
- assert (p_tt_config->ttloc_len >= 0 && p_tt_config->ttloc_len <= p_tt_config->ttloc_size);
-
- tl = &(p_tt_config->ttloc_ptr[p_tt_config->ttloc_len-1]);
- tl->type = TTLOC_MACRO;
- strcpy(tl->pattern, "");
-
- /* Pattern: Any combination of digits, x, y, and z. */
- /* Also make note of which letters are used in pattern and defintition. */
-
- t = strtok (NULL, " ,\t\n\r");
- if (t == NULL) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Line %d: Missing pattern for TTMACRO command.\n", line);
- continue;
- }
- strcpy (tl->pattern, t);
-
- p_count[0] = p_count[1] = p_count[2] = 0;
-
- for (j=0; j= 'x' && t[j] <= 'z') {
- p_count[t[j]-'x']++;
- }
- }
-
- /* Now gather up the definition. */
- /* It can contain touch tone characters and lower case x, y, z for substitutions. */
-
- t = strtok (NULL, " ,\t\n\r");
- if (t == NULL) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Line %d: Missing definition for TTMACRO command.\n", line);
- tl->macro.definition = ""; /* Don't die on null pointer later. */
- continue;
- }
- tl->macro.definition = strdup(t);
-
- d_count[0] = d_count[1] = d_count[2] = 0;
-
- for (j=0; j= 'x' && t[j] <= 'z') {
- d_count[t[j]-'x']++;
- }
- }
-
- /* A little validity checking. */
-
- for (j=0; j<3; j++) {
- if (p_count[j] > 0 && d_count[j] == 0) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Line %d: '%c' is in TTMACRO pattern but is not used in definition.\n", line, 'x'+j);
- }
- if (d_count[j] > 0 && p_count[j] == 0) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Line %d: '%c' is referenced in TTMACRO definition but does not appear in the pattern.\n", line, 'x'+j);
- }
- }
- }
-
-/*
- * TTOBJ - TT Object Report options.
- *
- * TTOBJ xmit-chan header
- */
-
-
-// TODO: header can be generated automatically. Should not be in config file.
-
-
- else if (strcasecmp(t, "TTOBJ") == 0) {
- int n;
-
- t = strtok (NULL, " ,\t\n\r");
- if (t == NULL) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Line %d: Missing transmit channel for TTOBJ command.\n", line);
- continue;
- }
-
- n = atoi(t);
- if (n < 0 || n > p_digi_config->num_chans-1) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Config file: Transmit channel must be in range of 0 to %d on line %d.\n",
- p_digi_config->num_chans-1, line);
- continue;
- }
- p_tt_config->obj_xmit_chan = n;
-
- t = strtok (NULL, " ,\t\n\r");
- if (t == NULL) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Line %d: Missing object header for TTOBJ command.\n", line);
- continue;
- }
- // TODO: Should do some validity checking.
-
- strncpy (p_tt_config->obj_xmit_header, t, sizeof(p_tt_config->obj_xmit_header));
-
- }
-
-/*
- * ==================== Internet gateway ====================
- */
-
-/*
- * IGSERVER - Name of IGate server.
- *
- * IGSERVER hostname [ port ] -- original implementation.
- *
- * IGSERVER hostname:port -- more in line with usual conventions.
- */
-
- else if (strcasecmp(t, "IGSERVER") == 0) {
- t = strtok (NULL, " ,\t\n\r");
- if (t == NULL) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Line %d: Missing IGate server name for IGSERVER command.\n", line);
- continue;
- }
- strncpy (p_igate_config->t2_server_name, t, sizeof(p_igate_config->t2_server_name)-1);
-
- /* If there is a : in the name, split it out as the port number. */
-
- t = strchr (p_igate_config->t2_server_name, ':');
- if (t != NULL) {
- *t = '\0';
- t++;
- int n = atoi(t);
- if (n >= MIN_IP_PORT_NUMBER && n <= MAX_IP_PORT_NUMBER) {
- p_igate_config->t2_server_port = n;
- }
- else {
- p_igate_config->t2_server_port = DEFAULT_IGATE_PORT;
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Line %d: Invalid port number for IGate server. Using default %d.\n",
- line, p_igate_config->t2_server_port);
- }
- }
-
- /* Alternatively, the port number could be separated by white space. */
-
- t = strtok (NULL, " ,\t\n\r");
- if (t != NULL) {
- int n = atoi(t);
- if (n >= MIN_IP_PORT_NUMBER && n <= MAX_IP_PORT_NUMBER) {
- p_igate_config->t2_server_port = n;
- }
- else {
- p_igate_config->t2_server_port = DEFAULT_IGATE_PORT;
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Line %d: Invalid port number for IGate server. Using default %d.\n",
- line, p_igate_config->t2_server_port);
- }
- }
- //printf ("DEBUG server=%s port=%d\n", p_igate_config->t2_server_name, p_igate_config->t2_server_port);
- //exit (0);
- }
-
-/*
- * IGLOGIN - Login callsign and passcode for IGate server
- *
- * IGLOGIN callsign passcode
- */
-
- else if (strcasecmp(t, "IGLOGIN") == 0) {
- t = strtok (NULL, " ,\t\n\r");
- if (t == NULL) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Line %d: Missing login callsign for IGLOGIN command.\n", line);
- continue;
- }
- // TODO: Wouldn't hurt to do validity checking of format.
- strncpy (p_igate_config->t2_login, t, sizeof(p_igate_config->t2_login)-1);
-
- t = strtok (NULL, " ,\t\n\r");
- if (t == NULL) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Line %d: Missing passcode for IGLOGIN command.\n", line);
- continue;
- }
- strncpy (p_igate_config->t2_passcode, t, sizeof(p_igate_config->t2_passcode)-1);
- }
-
-/*
- * IGTXVIA - Transmit channel and VIA path for messages from IGate server
- *
- * IGTXVIA channel [ path ]
- */
-
- else if (strcasecmp(t, "IGTXVIA") == 0) {
- int n;
-
- t = strtok (NULL, " ,\t\n\r");
- if (t == NULL) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Line %d: Missing transmit channel for IGTXVIA command.\n", line);
- continue;
- }
-
- n = atoi(t);
- if (n < 0 || n > p_digi_config->num_chans-1) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Config file: Transmit channel must be in range of 0 to %d on line %d.\n",
- p_digi_config->num_chans-1, line);
- continue;
- }
- p_igate_config->tx_chan = n;
-
- t = strtok (NULL, " \t\n\r");
- if (t != NULL) {
- char *p;
- p_igate_config->tx_via[0] = ',';
- strncpy (p_igate_config->tx_via + 1, t, sizeof(p_igate_config->tx_via)-2);
- for (p = p_igate_config->tx_via; *p != '\0'; p++) {
- if (islower(*p)) {
- *p = toupper(*p); /* silently force upper case. */
- }
- }
- }
- }
-
-/*
- * IGFILTER - Filter for messages from IGate server
- *
- * IGFILTER filter-spec ...
- */
-
- else if (strcasecmp(t, "IGFILTER") == 0) {
- //int n;
-
- t = strtok (NULL, "\n\r"); /* Take rest of line as one string. */
-
- if (t != NULL && strlen(t) > 0) {
- p_igate_config->t2_filter = strdup (t);
- }
- }
-
-
-/*
- * IGTXLIMIT - Limit transmissions during 1 and 5 minute intervals.
- *
- * IGTXLIMIT one-minute-limit five-minute-limit
- */
-
- else if (strcasecmp(t, "IGTXLIMIT") == 0) {
- int n;
-
- t = strtok (NULL, " ,\t\n\r");
- if (t == NULL) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Line %d: Missing one minute limit for IGTXLIMIT command.\n", line);
- continue;
- }
-
- /* limits of 20 and 100 are unfriendly but not insane. */
-
- n = atoi(t);
- if (n >= 1 && n <= 20) {
- p_igate_config->tx_limit_1 = n;
- }
- else {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Line %d: Invalid one minute transmit limit. Using %d.\n",
- line, p_igate_config->tx_limit_1);
- }
-
- t = strtok (NULL, " ,\t\n\r");
- if (t == NULL) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Line %d: Missing five minute limit for IGTXLIMIT command.\n", line);
- continue;
- }
-
- n = atoi(t);
- if (n >= 1 && n <= 100) {
- p_igate_config->tx_limit_5 = n;
- }
- else {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Line %d: Invalid one minute transmit limit. Using %d.\n",
- line, p_igate_config->tx_limit_5);
- }
- }
-
-/*
- * ==================== All the left overs ====================
- */
-
-/*
- * AGWPORT - Port number for "AGW TCPIP Socket Interface"
- */
-
- else if (strcasecmp(t, "AGWPORT") == 0) {
- int n;
- t = strtok (NULL, " ,\t\n\r");
- if (t == NULL) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Line %d: Missing port number for AGWPORT command.\n", line);
- continue;
- }
- n = atoi(t);
- if (n >= MIN_IP_PORT_NUMBER && n <= MAX_IP_PORT_NUMBER) {
- p_misc_config->agwpe_port = n;
- }
- else {
- p_misc_config->agwpe_port = DEFAULT_AGWPE_PORT;
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Line %d: Invalid port number for AGW TCPIP Socket Interface. Using %d.\n",
- line, p_misc_config->agwpe_port);
- }
- }
-
-/*
- * KISSPORT - Port number for KISS over IP.
- */
-
- else if (strcasecmp(t, "KISSPORT") == 0) {
- int n;
- t = strtok (NULL, " ,\t\n\r");
- if (t == NULL) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Line %d: Missing port number for KISSPORT command.\n", line);
- continue;
- }
- n = atoi(t);
- if (n >= MIN_IP_PORT_NUMBER && n <= MAX_IP_PORT_NUMBER) {
- p_misc_config->kiss_port = n;
- }
- else {
- p_misc_config->kiss_port = DEFAULT_KISS_PORT;
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Line %d: Invalid port number for KISS TCPIP Socket Interface. Using %d.\n",
- line, p_misc_config->kiss_port);
- }
- }
-
-/*
- * NULLMODEM - Device name for our end of the virtual "null modem"
- */
- else if (strcasecmp(t, "nullmodem") == 0) {
- t = strtok (NULL, " ,\t\n\r");
- if (t == NULL) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Config file: Missing device name for my end of the 'null modem' on line %d.\n", line);
- continue;
- }
- else {
- strncpy (p_misc_config->nullmodem, t, sizeof(p_misc_config->nullmodem)-1);
- }
- }
-
-/*
- * FIX_BITS - Attempt to fix frames with bad FCS.
- */
-
- else if (strcasecmp(t, "FIX_BITS") == 0) {
- int n;
- t = strtok (NULL, " ,\t\n\r");
- if (t == NULL) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Line %d: Missing value for FIX_BITS command.\n", line);
- continue;
- }
- n = atoi(t);
- if (n >= RETRY_NONE && n <= RETRY_TWO_SEP) {
- p_modem->fix_bits = (retry_t)n;
- }
- else {
- p_modem->fix_bits = DEFAULT_FIX_BITS;
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Line %d: Invalid value for FIX_BITS. Using %d.\n",
- line, p_modem->fix_bits);
- }
- }
-
-/*
- * BEACON channel delay every message
- *
- * Original handcrafted style. Removed in version 1.0.
- */
-
- else if (strcasecmp(t, "BEACON") == 0) {
-
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Config file, line %d: Old style 'BEACON' has been replaced with new commands.\n", line);
-
- }
-
-
-/*
- * PBEACON keyword=value ...
- * OBEACON keyword=value ...
- * TBEACON keyword=value ...
- * CBEACON keyword=value ...
- *
- * New style with keywords for options.
- */
-
- else if (strcasecmp(t, "PBEACON") == 0 ||
- strcasecmp(t, "OBEACON") == 0 ||
- strcasecmp(t, "TBEACON") == 0 ||
- strcasecmp(t, "CBEACON") == 0) {
-
- if (p_misc_config->num_beacons < MAX_BEACONS) {
-
- memset (&(p_misc_config->beacon[p_misc_config->num_beacons]), 0, sizeof(struct beacon_s));
- if (strcasecmp(t, "PBEACON") == 0) {
- p_misc_config->beacon[p_misc_config->num_beacons].btype = BEACON_POSITION;
- }
- else if (strcasecmp(t, "OBEACON") == 0) {
- p_misc_config->beacon[p_misc_config->num_beacons].btype = BEACON_OBJECT;
- }
- else if (strcasecmp(t, "TBEACON") == 0) {
- p_misc_config->beacon[p_misc_config->num_beacons].btype = BEACON_TRACKER;
- }
- else {
- p_misc_config->beacon[p_misc_config->num_beacons].btype = BEACON_CUSTOM;
- }
-
- /* Save line number because some errors will be reported later. */
- p_misc_config->beacon[p_misc_config->num_beacons].lineno = line;
-
- if (beacon_options(t + strlen("xBEACON") + 1, &(p_misc_config->beacon[p_misc_config->num_beacons]), line)) {
- p_misc_config->num_beacons++;
- }
- }
- else {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Config file: Maximum number of beacons exceeded on line %d.\n", line);
- continue;
- }
- }
-
-
-/*
- * SMARTBEACONING fast_speed fast_rate slow_speed slow_rate turn_time turn_angle turn_slope
- */
-
- else if (strcasecmp(t, "SMARTBEACON") == 0 ||
- strcasecmp(t, "SMARTBEACONING") == 0) {
-
- int n;
-
-#define SB_NUM(name,sbvar,minn,maxx,unit) \
- t = strtok (NULL, " ,\t\n\r"); \
- if (t == NULL) { \
- text_color_set(DW_COLOR_ERROR); \
- dw_printf ("Line %d: Missing %s for SmartBeaconing.\n", line, name); \
- continue; \
- } \
- n = atoi(t); \
- if (n >= minn && n <= maxx) { \
- p_misc_config->sbvar = n; \
- } \
- else { \
- text_color_set(DW_COLOR_ERROR); \
- dw_printf ("Line %d: Invalid %s for SmartBeaconing. Using default %d %s.\n", \
- line, name, p_misc_config->sbvar, unit); \
- }
-
-#define SB_TIME(name,sbvar,minn,maxx,unit) \
- t = strtok (NULL, " ,\t\n\r"); \
- if (t == NULL) { \
- text_color_set(DW_COLOR_ERROR); \
- dw_printf ("Line %d: Missing %s for SmartBeaconing.\n", line, name); \
- continue; \
- } \
- n = parse_interval(t,line); \
- if (n >= minn && n <= maxx) { \
- p_misc_config->sbvar = n; \
- } \
- else { \
- text_color_set(DW_COLOR_ERROR); \
- dw_printf ("Line %d: Invalid %s for SmartBeaconing. Using default %d %s.\n", \
- line, name, p_misc_config->sbvar, unit); \
- }
-
-
- SB_NUM ("fast speed", sb_fast_speed, 2, 90, "MPH")
- SB_TIME ("fast rate", sb_fast_rate, 10, 300, "seconds")
-
- SB_NUM ("slow speed", sb_slow_speed, 1, 30, "MPH")
- SB_TIME ("slow rate", sb_slow_rate, 30, 3600, "seconds")
-
- SB_TIME ("turn time", sb_turn_time, 5, 180, "seconds")
- SB_NUM ("turn angle", sb_turn_angle, 5, 90, "degrees")
- SB_NUM ("turn slope", sb_turn_slope, 1, 255, "deg*mph")
-
- /* If I was ambitious, I might allow optional */
- /* unit at end for miles or km / hour. */
-
- p_misc_config->sb_configured = 1;
- }
-
-/*
- * Invalid command.
- */
- else {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Config file: Unrecognized command '%s' on line %d.\n", t, line);
- }
-
- }
-
- fclose (fp);
-
-/*
- * A little error checking for option interactions.
- */
-
-/*
- * Require that MYCALL be set when digipeating or IGating.
- *
- * Suggest that beaconing be enabled when digipeating.
- */
- int i, j, k, b;
-
- for (i=0; inum_chans; i++) {
- for (j=0; jnum_chans; j++) {
-
- if (p_digi_config->enabled[i][j]) {
-
- if (strcmp(p_digi_config->mycall[i], "NOCALL") == 0) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Config file: MYCALL must be set for receive channel %d before digipeating is allowed.\n", i);
- p_digi_config->enabled[i][j] = 0;
- }
-
- if (strcmp(p_digi_config->mycall[j], "NOCALL") == 0) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Config file: MYCALL must be set for transmit channel %d before digipeating is allowed.\n", i);
- p_digi_config->enabled[i][j] = 0;
- }
-
- b = 0;
- for (k=0; knum_beacons; k++) {
- if (p_misc_config->beacon[p_misc_config->num_beacons].chan == j) b++;
- }
- if (b == 0) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Config file: Beaconing should be configured for channel %d when digipeating is enabled.\n", i);
- p_digi_config->enabled[i][j] = 0;
- }
- }
- }
-
- if (strlen(p_igate_config->t2_login) > 0) {
-
- if (strcmp(p_digi_config->mycall[i], "NOCALL") == 0) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Config file: MYCALL must be set for receive channel %d before Rx IGate is allowed.\n", i);
- strcpy (p_igate_config->t2_login, "");
- }
- if (p_igate_config->tx_chan >= 0 &&
- strcmp(p_digi_config->mycall[p_igate_config->tx_chan], "NOCALL") == 0) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Config file: MYCALL must be set for transmit channel %d before Tx IGate is allowed.\n", i);
- p_igate_config->tx_chan = -1;
- }
- }
-
- }
-
-} /* end config_init */
-
-
-/*
- * Parse the PBEACON or OBEACON options.
- * Returns 1 for success, 0 for serious error.
- */
-
-static int beacon_options(char *cmd, struct beacon_s *b, int line)
-{
- char options[1000];
- char *o;
- char *t;
- char *p;
- int q;
- char temp_symbol[100];
- int ok;
-
- strcpy (temp_symbol, "");
-
- b->chan = 0;
- b->delay = 60;
- b->every = 600;
- //b->delay = 6; // TODO: temp. remove
- //b->every = 3600;
- b->lat = G_UNKNOWN;
- b->lon = G_UNKNOWN;
- b->symtab = '/';
- b->symbol = '-'; /* house */
-
-/*
- * cmd should be rest of command line after ?BEACON was removed.
- *
- * Quoting is required for any values containing spaces.
- * This could happen for an object name, comment, symbol description, ...
- * To prevent strtok from stopping at those spaces, change them to
- * non-breaking space character temporarily. After spliting everything
- * up at white space, change them back to normal spaces.
- */
-
-#define NBSP (' ' + 0x80)
-
- p = cmd; /* Process from here. */
- o = options; /* to here. */
- q = 0; /* Keep track of whether in quoted part. */
-
- for ( ; *p != '\0' ; p++) {
-
- switch (*p) {
-
- case '"':
- if (!q) { /* opening quote */
- if (*(p-1) != '=') {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Config file: line %d: Suspicious use of \" not after =.\n", line);
- dw_printf ("Suggestion: Double it and quote entire value.\n");
- *o++ = '"'; /* Treat as regular character. */
- }
- else {
- q = 1;
- }
- }
- else { /* embedded or closing quote */
- if (*(p+1) == '"') {
- *o++ = '"'; /* reduce double to single */
- p++;
- }
- else if (isspace(*(p+1)) || *(p+1) == '\0') {
- q = 0;
- }
- else {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Config file: line %d: Suspicious use of \" not at end of value.\n", line);
- dw_printf ("Suggestion: Double it and quote entire value.\n");
- *o++ = '"'; /* Treat as regular character. */
- }
- }
- break;
-
- case ' ':
-
- *o++ = q ? NBSP : ' ';
- break;
-
- default:
- *o++ = *p;
- break;
- }
- }
- *o = '\0';
-
- for (t = strtok (options, " \t\n\r"); t != NULL; t = strtok (NULL, " \t\n\r")) {
-
- char keyword[20];
- char value[200];
- char *e;
- char *p;
- //int q;
-
-
- e = strchr(t, '=');
- if (e == NULL) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Config file: No = found in, %s, on line %d.\n", t, line);
- return (0);
- }
- *e = '\0';
- strcpy (keyword, t);
- strcpy (value, e+1);
-
-/* Put back normal spaces. */
-
- for (p = value; *p != '\0'; p++) {
- // char is signed for MinGW!
- if (((int)(*p) & 0xff) == NBSP) *p = ' ';
- }
-
- if (strcasecmp(keyword, "DELAY") == 0) {
- b->delay = parse_interval(value,line);
- }
- else if (strcasecmp(keyword, "EVERY") == 0) {
- b->every = parse_interval(value,line);
- }
- else if (strcasecmp(keyword, "SENDTO") == 0) {
- if (value[0] == 'i' || value[0] == 'I') {
- b->chan = -1;
- }
- else {
- b->chan = atoi(value);
- }
- }
- else if (strcasecmp(keyword, "VIA") == 0) {
- b->via = strdup(value);
- for (p = b->via; *p != '\0'; p++) {
- if (islower(*p)) {
- *p = toupper(*p); /* silently force upper case. */
- }
- }
- }
- else if (strcasecmp(keyword, "INFO") == 0) {
- b->custom_info = strdup(value);
- }
- else if (strcasecmp(keyword, "OBJNAME") == 0) {
- strncpy(b->objname, value, 9);
- }
- else if (strcasecmp(keyword, "LAT") == 0) {
- b->lat = parse_ll (value, LAT, line);
- }
- else if (strcasecmp(keyword, "LONG") == 0 || strcasecmp(keyword, "LON") == 0) {
- b->lon = parse_ll (value, LON, line);
- }
- else if (strcasecmp(keyword, "SYMBOL") == 0) {
- /* Defer processing in case overlay appears later. */
- strcpy (temp_symbol, value);
- }
- else if (strcasecmp(keyword, "OVERLAY") == 0) {
- if (strlen(value) == 1 && (isupper(value[0]) || isdigit(value[0]))) {
- b->symtab = value[0];
- }
- else {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Config file: Overlay must be one character in range of 0-9 or A-Z, upper case only, on line %d.\n", line);
- }
- }
- else if (strcasecmp(keyword, "POWER") == 0) {
- b->power = atoi(value);
- }
- else if (strcasecmp(keyword, "HEIGHT") == 0) {
- b->height = atoi(value);
- }
- else if (strcasecmp(keyword, "GAIN") == 0) {
- b->gain = atoi(value);
- }
- else if (strcasecmp(keyword, "DIR") == 0 || strcasecmp(keyword, "DIRECTION") == 0) {
- strncpy(b->dir, value, 2);
- }
- else if (strcasecmp(keyword, "FREQ") == 0) {
- b->freq = atof(value);
- }
- else if (strcasecmp(keyword, "TONE") == 0) {
- b->tone = atof(value);
- }
- else if (strcasecmp(keyword, "OFFSET") == 0 || strcasecmp(keyword, "OFF") == 0) {
- b->offset = atof(value);
- }
- else if (strcasecmp(keyword, "COMMENT") == 0) {
- b->comment = strdup(value);
- }
- else if (strcasecmp(keyword, "COMPRESS") == 0 || strcasecmp(keyword, "COMPRESSED") == 0) {
- b->compress = atoi(value);
- }
- else {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Config file, line %d: Invalid option keyword, %s.\n", line, keyword);
- return (0);
- }
- }
-
-/*
- * Process symbol now that we have any later overlay.
- */
- if (strlen(temp_symbol) > 0) {
-
- if (strlen(temp_symbol) == 2 &&
- (temp_symbol[0] == '/' || temp_symbol[0] == '\\' || isupper(temp_symbol[0]) || isdigit(temp_symbol[0])) &&
- temp_symbol[1] >= '!' && temp_symbol[1] <= '~') {
-
- /* Explicit table and symbol. */
-
- if (isupper(b->symtab) || isdigit(b->symtab)) {
- b->symbol = temp_symbol[1];
- }
- else {
- b->symtab = temp_symbol[0];
- b->symbol = temp_symbol[1];
- }
- }
- else {
-
- /* Try to look up by description. */
- ok = symbols_code_from_description (b->symtab, temp_symbol, &(b->symtab), &(b->symbol));
- if (!ok) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Config file, line %d: Could not find symbol matching %s.\n", line, temp_symbol);
- }
- }
- }
-
- return (1);
-}
-
-/* end config.c */
diff --git a/config.h b/config.h
deleted file mode 100644
index 7eb8ca42..00000000
--- a/config.h
+++ /dev/null
@@ -1,130 +0,0 @@
-
-/*----------------------------------------------------------------------------
- *
- * Name: config.h
- *
- * Purpose:
- *
- * Description:
- *
- *-----------------------------------------------------------------------------*/
-
-
-#ifndef CONFIG_H
-#define CONFIG_H 1
-
-#include "audio.h" /* for struct audio_s */
-#include "digipeater.h" /* for struct digi_config_s */
-#include "aprs_tt.h" /* for struct tt_config_s */
-#include "igate.h" /* for struct igate_config_s */
-
-/*
- * All the leftovers.
- * This wasn't thought out. It just happened.
- */
-
-enum beacon_type_e { BEACON_IGNORE, BEACON_POSITION, BEACON_OBJECT, BEACON_TRACKER, BEACON_CUSTOM };
-
-#define MAX_BEACONS 30
-
-struct misc_config_s {
-
- int num_channels; /* Number of radio channels. */
-
- int agwpe_port; /* Port number for the “AGW TCPIP Socket Interface” */
- int kiss_port; /* Port number for the “KISS” protocol. */
- int enable_kiss_pt; /* Enable pseudo terminal for KISS. */
- /* Want this to be off by default because it hangs */
- /* after a while if nothing is reading from other end. */
-
- char nullmodem[40]; /* Serial port name for our end of the */
- /* virtual null modem for native Windows apps. */
-
- int sb_configured; /* TRUE if SmartBeaconing is configured. */
- int sb_fast_speed; /* MPH */
- int sb_fast_rate; /* seconds */
- int sb_slow_speed; /* MPH */
- int sb_slow_rate; /* seconds */
- int sb_turn_time; /* seconds */
- int sb_turn_angle; /* degrees */
- int sb_turn_slope; /* degrees * MPH */
-
-
- int num_beacons; /* Number of beacons defined. */
-
- struct beacon_s {
-
- enum beacon_type_e btype; /* Position or object. */
-
- int lineno; /* Line number from config file for later error messages. */
-
- int chan; /* Send to Channel for transmission. -1 for IGate. */
-
- int delay; /* Seconds to delay before first transmission. */
-
- int every; /* Time between transmissions, seconds. */
- /* Remains fixed for PBEACON and OBEACON. */
- /* Dynamically adjusted for TBEACON. */
-
- time_t next; /* Unix time to transmit next one. */
-
- int compress; /* Use more compact form? */
-
- char objname[10]; /* Object name. Any printable characters. */
-
- char *via; /* Path, e.g. "WIDE1-1,WIDE2-1" or NULL. */
-
- char *custom_info; /* Info part for handcrafted custom beacon. */
- /* Ignore the rest below if this is set. */
-
- double lat; /* Latitude and longitude. */
- double lon;
-
- char symtab; /* Symbol table: / or \ or overlay character. */
- char symbol; /* Symbol code. */
-
- float power; /* For PHG. */
- float height;
- float gain; /* Original protocol spec was unclear. */
- /* Addendum 1.1 clarifies it is dBi not dBd. */
-
- char dir[3]; /* 1 or 2 of N,E,W,S, or empty for omni. */
-
- float freq; /* MHz. */
- float tone; /* Hz. */
- float offset; /* MHz. */
-
- char *comment; /* Comment or NULL. */
-
-
- } beacon[MAX_BEACONS];
-
-};
-
-
-#define MIN_IP_PORT_NUMBER 1024
-#define MAX_IP_PORT_NUMBER 49151
-
-
-#define DEFAULT_AGWPE_PORT 8000 /* Like everyone else. */
-#define DEFAULT_KISS_PORT 8001 /* Above plus 1. */
-
-
-#define DEFAULT_NULLMODEM "COM3" /* should be equiv. to /dev/ttyS2 on Cygwin */
-
-
-
-
-extern void config_init (char *fname, struct audio_s *p_modem,
- struct digi_config_s *digi_config,
- struct tt_config_s *p_tt_config,
- struct igate_config_s *p_igate_config,
- struct misc_config_s *misc_config);
-
-
-
-#endif /* CONFIG_H */
-
-/* end config.h */
-
-
diff --git a/data/CMakeLists.txt b/data/CMakeLists.txt
new file mode 100644
index 00000000..7972cc23
--- /dev/null
+++ b/data/CMakeLists.txt
@@ -0,0 +1,41 @@
+#
+# Update: 1 May 2023 (still 1.7 dev version)
+#
+# The original intention was to allow an easy way to download the most
+# recent versions of some files.
+#
+# "update-data" would only work once.
+#
+# These locations are no longer being maintained:
+# http://www.aprs.org/aprs11/tocalls.txt -- 14 Dec 2021
+# http://www.aprs.org/symbols/symbols-new.txt -- 17 Mar 2021
+# http://www.aprs.org/symbols/symbolsX.txt -- 25 Nov 2015
+# so there is no reason to provide a capability grab the latest version.
+#
+# Rather than fixing an obsolete capability, it will just be removed.
+#
+# The destination field is often used to identify the manufacturer/model.
+# These are not hardcoded into Dire Wolf. Instead they are read from
+# a file called tocalls.txt at application start up time.
+#
+# The original permanent symbols are built in but the "new" symbols,
+# using overlays, are often updated. These are also read from files.
+#
+
+
+include(ExternalProject)
+
+set(TOCALLS_TXT "tocalls.txt")
+set(SYMBOLS-NEW_TXT "symbols-new.txt")
+set(SYMBOLSX_TXT "symbolsX.txt")
+set(CUSTOM_BINARY_DATA_DIR "${CMAKE_BINARY_DIR}/data")
+
+# we can also move to a separate cmake file and use file(download)
+# see conf/install_conf.cmake as example
+file(COPY "${CUSTOM_DATA_DIR}/${TOCALLS_TXT}" DESTINATION "${CUSTOM_BINARY_DATA_DIR}")
+file(COPY "${CUSTOM_DATA_DIR}/${SYMBOLS-NEW_TXT}" DESTINATION "${CUSTOM_BINARY_DATA_DIR}")
+file(COPY "${CUSTOM_DATA_DIR}/${SYMBOLSX_TXT}" DESTINATION "${CUSTOM_BINARY_DATA_DIR}")
+
+install(FILES "${CUSTOM_BINARY_DATA_DIR}/${TOCALLS_TXT}" DESTINATION ${INSTALL_DATA_DIR})
+install(FILES "${CUSTOM_BINARY_DATA_DIR}/${SYMBOLS-NEW_TXT}" DESTINATION ${INSTALL_DATA_DIR})
+install(FILES "${CUSTOM_BINARY_DATA_DIR}/${SYMBOLSX_TXT}" DESTINATION ${INSTALL_DATA_DIR})
diff --git a/symbols-new.txt b/data/symbols-new.txt
similarity index 63%
rename from symbols-new.txt
rename to data/symbols-new.txt
index 9172fa7e..aa6fc7d2 100644
--- a/symbols-new.txt
+++ b/data/symbols-new.txt
@@ -1,36 +1,55 @@
-APRS SYMBOL OVERLAY and EXTENSION TABLES in APRS 1.2 20 May 2014
----------------------------------------------------------------------
-
-BACKGROUND: This file addresses new additions proposals (OVERLAYS)
-to the APRS symbol set after 1 October 2007. The master symbol
-document remains on the www.aprs.org/symbols/symbolsX.txt page.
+APRS SYMBOL OVERLAY and EXTENSION TABLES in APRS 1.2 17 Mar 2021
+------------------------------------------------------------------------
+
+BACKGROUND: Since October 2007, overlay characters (36/symbol) are
+allowed on all symbols. This allows thousands of uniquely specified
+symbols instead of the original 188 (94 primary and 94 alternate).
+But the master symbol document, http://aprs.org/symbols/symbolsX.txt,
+only has one line per symbol. So this added overlay list below gives
+us thousands of new symbol codes.
+
+17 Mar 21 Added L& for LORA Igate
+24 Jun18: Updated CAR symbols
+17 Jun18: Added several overlays for RAIL symbol
+03 Apr17: Added Methane Hazard symbol "MH"
+13 Feb17: Added Ez = Emergency Power (shelter), Cars: P> = Plugin
+ S> = Solar powered. Moved Ham club C- to Buildings Ch.
+ Added C- to house for combined renewables and added R%
+ Renewable to power plants
+
+18 Oct16: Added G,Y,R for Flood gauges + N for Normal.(on H2O symbol)
+ Added DIGIPEATERS
+22 Mar16: Added A0 overlay circle for ALSTAR nodes and V0 for VOIP.
+ Combined echolink and IRLP. P& for PSKmail node. W& for
+ Wires-X (was W0 for WiresII). Ya for Yaesu C4FM repeaters
+
+Update 29 Oct 2015: Reorgainized list to Alphabetical Order.
+ + Added many new Balloons (due to lost DoD radar Blimp yesterday)
+ + Confirmed D^ for Drones was already in there since 2014
+ + Added R^ type aircraft for remotely piloted
+ + Added S^ Solar Powered Aircraft
+ + Noticed all new category \= is availalbe. Had been shown ast
+ APRStt, but that was changed in 2009 to overlay BOX symbols.
+UPDATES/REVISIONS/CORRECTIONS:
-NOTE: There was confusion with different copies of this file on
-different web pages and links. THIS file is now assumed to be the
-CORRECT one.
+2014 Added numerous OpenAPRS symbol. Changed Da to DSTAR from Dutch
+ ARES. Added Subs to ships and lots of Aircraft overlays.
+2013 Added ship overlay Jet Ski. Ham Club as C overlay on House, C-
+2011 Added T and 2 overlays for TX 1 and 2 hop IGates
+ Added overlays to (;) Portables Added Radiation Detector (RH)
+2010 Byonics requested (BY) and added #A to the table
+2009 Added W0 for Yaesu WIRES and APRStt symbol to overlayed BOX (#A)
+2008 Added RFID R=, Babystroller B], Radio#Y, skull&Xbones XH
-UPDATES/REVISIONS/CORRECTIONS:
-
-20 May 14 Changed Da to DSTAR (2700 of them) from Dutch Ares
-19 May 14 Added Submarine&torpedo to ships and lots of Aircraft
- search for "(new may 2014)"
-07 Oct 13 Added new overlays to ships such as Jet Ski, Js
- Added Ham Club symbol as a C overlay on House, C-
-19 Sep 11 Added T and 2 overlays for TX 1 and 2 hop IGates
- Added overlays to (;) portable, to show event types
-23 Mar 11 Added Radiation Detector (RH)
-20 Apr 10 Byonics requested (BY)
-04 Jan 10 added #A to the table (correcting earlier omission)
-12 Oct 09 Added W0 for Yaesu WIRES nodes
-09 Apr 09 Changed APRStt symbol to overlayed BOX (#A)
-21 Aug 08 Added RFID R=, Stroller B], Radios#Y, & skull&Xbones (XH)
-27 Apr 08 Added some definitions of the numbered circle #0.
-25 Mar 08 Added these new definitions of overlays:
-
-Original Alternate Symbol codes being modified for new Overlay Use:
+DEPRICATION AND MAJOR REVISION: 25 Mar 08 Modified several Alternate
+Symbol codes for expanded Overlays. The following alternate base
+symbols were redefined so that the basic symbol could take on dozens
+of unique overlay definitions:
+\= - Had been undefined
+\0 - Several overlays for the numbered Circle
\A - (BOX symbol) APRStt(DTMF), RFID users, XO (OLPC)
\' - Was Crash Site. Now expanded to be INCIDENT sites
\% - is an overlayed Powerplant. See definitions below
@@ -40,16 +59,17 @@ Original Alternate Symbol codes being modified for new Overlay Use:
\u - Overlay Trucks. "Tu" is a tanker. "Gu" is a gas truck, etc
\< - Advisories may now have overlays
\8 - Nodes with overlays. "G8" would be 802.11G
-\[ - \[ is wall cloud, but overlays are humans. S[ is a skier.
-\h - Buildings. \h is a Ham store, "Hh" is Home Depot, etc.
+\[ - \[ was wall cloud, but overlays are humans. S[ is a skier.
+\h - Was Ham store, Now Overlays are buildings "Hh" Home Depot, etc.
+
-Previous edition was 4 Oct 2007.
+4 Oct 2007. ORIGINAL EXPANSION to OVERLAYS ON ALL SYMBOLS
In April 2007, a proposal to expand the use of overlay bytes for
the extension of the APRS symbol set was added to the draft APRS1.2
addendum web page. The following document addresses that proposal:
-www.aprs.org/symbols/symbols-overlays.txt
+http://aprs.org/symbols/symbols-overlays.txt
For details on Upgrading your symbol set, please see the background
information on Symbols prepared by Stephen Smith, WA8LMF:
@@ -79,8 +99,9 @@ small subset of alternate symbols. Those original overlayable
alternate symbols were labeled with a "#" and called "numbered"
symbols. (UIview requires "No." in the symbols.ini file)
-STATUS OF OVERLAYS 1 OCTOBER 2007: the APRS symbol set only had a
-few remaining unused symbol codes that had not yet been defined:
+STATUS OF OVERLAYS 1 OCTOBER 2007: the APRS symbol set was limited
+to about 94 symbols and only had a few remaining unused symbol
+codes that had not yet been defined:
OF THE 94 Primary Symbols. The following were available:
10 symbols (/0 - /9) that mostly look like billiard balls now
@@ -92,7 +113,7 @@ OF THE 94 Alternate Symbols. The following were available:
8 series \1 through \8 that can support 36 overlays each
3 reserved series.
-ADDITIONAL OVERLAY PROPOSAL: But any of the other 79 alternate
+BASIS FOR OVERLAY EXPANSION: But any of the other 79 alternate
symbols could all have multiple (36) overlays if they can make sense
with the existing underlying basic symbol that we have been using for
that basic alternate symbol. That is, any new definition of a
@@ -113,15 +134,30 @@ letting that define a new graphic just for that combination.
The following tables will attempt to keep track of these and
any other useful generic applications of overlay characters.
+AMPLIFIED some existing ALTERNATE SYMBOL Overlays: (Aug 2014)
+change Flooding #W to include Avalanche, Mudslide/Landslide
+Update #' name to crash & incident sites
+Update \D (was available) to DEPOT family
+change overlayed car to generic Vehicle with (1-9 overlays)
+
+ADVISORIES: #< (new expansion possibilities)
+/< = motorcycle
+\< = Advisory (single gale flag)
+
AIRCRAFT
/^ = LARGE Aircraft
\^ = top-view originally intended to point in direction of flight
+A^ = Autonomous (2015)
D^ = Drone (new may 2014)
-E^ = Enemy aircraft (too bad I cant use the original Hostile)
+E^ = Electric aircraft (2015)
H^ = Hovercraft (new may 2014)
J^ = JET (new may 2014)
M^ = Missle (new may 2014)
+P^ = Prop (new Aug 2014)
+R^ = Remotely Piloted (new 2015)
+S^ = Solar Powered (new 2015)
V^ = Vertical takeoff (new may 2014)
+X^ = Experimental (new Aug 2014)
ATM Machine or CURRENCY: #$
/$ = original primary Phone
@@ -130,30 +166,133 @@ U$ = US dollars
L$ = Brittish Pound
Y$ = Japanese Yen
-POWER PLANT: #%
-/% = DX cluster <= the original primary table definition
-C% = Coal
-G% = Geothermal
-H% = Hydroelectric
-N% = Nuclear
-S% = Solar
-T% = Turbine
-W% = Wind
+ARRL or DIAMOND: #a
+/a = Ambulance
+Aa = ARES
+Da = DSTAR (had been ARES Dutch)
+Ga = RSGB Radio Society of Great Brittan
+Ra = RACES
+Sa = SATERN Salvation Army
+Wa = WinLink
+Ya = C4FM Yaesu repeaters
+
+BALLOONS and lighter than air #O (All new Oct 2015)
+/O = Original Balloon (think Ham balloon)
+\O = ROCKET (amateur)(2007)
+BO = Blimp (2015)
+MO = Manned Balloon (2015)
+TO = Teathered (2015)
+CO = Constant Pressure - Long duration (2015)
+RO = Rocket bearing Balloon (Rockoon) (2015)
+WO = World-round balloon (2018)
+
+BOX SYMBOL: #A (and other system inputted symbols)
+/A = Aid station
+\A = numbered box
+9A = Mobile DTMF user
+7A = HT DTMF user
+HA = House DTMF user
+EA = Echolink DTMF report
+IA = IRLP DTMF report
+RA = RFID report
+AA = AllStar DTMF report
+DA = D-Star report
+XA = OLPC Laptop XO
+etc
+
+BUILDINGS: #h
+/h = Hospital
+\h = Ham Store ** <= now used for HAMFESTS
+Ch = Club (ham radio)
+Eh = Electronics Store
+Fh = HamFest (new Aug 2014)
+Hh = Hardware Store etc..
+
+CARS: #> (Vehicles)
+/> = normal car (side view)
+\> = Top view and symbol POINTS in direction of travel
+#> = Reserve overlays 1-9 for numbered cars (new Aug 2014)
+3> = Model 3 (Tesla)
+B> = BEV - Battery EV(was E for electric)
+D> = DIY - Do it yourself
+E> = Ethanol (was electric)
+F> = Fuelcell or hydrogen
+H> = Hybrid
+L> = Leaf
+P> = PHEV - Plugin-hybrid
+S> = Solar powered
+T> = Tesla (temporary)
+V> = Volt (temporary)
+X> = Model X
+
+CIVIL DEFENSE or TRIANGLE: #c
+/c = Incident Command Post
+\c = Civil Defense
+Dc = Decontamination (new Aug 2014)
+Rc = RACES
+Sc = SATERN mobile canteen
+
+DEPOT
+/D = was originally undefined
+\D = was drizzle (moved to ' ovlyD)
+AD = Airport (new Aug 2014)
+FD = Ferry Landing (new Aug 2014)
+HD = Heloport (new Aug 2014)
+RD = Rail Depot (new Aug 2014)
+BD = Bus Depot (new Aug 2014)
+LD = LIght Rail or Subway (new Aug 2014)
+SD = Seaport Depot (new Aug 2014)
+
+DIGIPEATERS
+/# - Generic digipeater
+1# - WIDE1-1 digipeater
+A# - Alternate input (i.e. 144.990MHz) digipeater
+E# - Emergency powered (assumed full normal digi)
+I# - I-gate equipped digipeater
+L# - WIDEn-N with path length trapping
+P# - PacComm
+S# - SSn-N digipeater (includes WIDEn-N)
+X# - eXperimental digipeater
+V# - Viscous https://github.com/PhirePhly/aprx/blob/master/ViscousDigipeater.README
+W# - WIDEn-N, SSn-N and Trapping
+
+EMERGENCY: #!
+/! = Police/Sheriff, etc
+\! = Emergency!
+E! = ELT or EPIRB (new Aug 2014)
+V! = Volcanic Eruption or Lava (new Aug 2014)
+
+EYEBALL (EVENT) and VISIBILITY #E
+/E = Eyeball for special live events
+\E = (existing smoke) the symbol with no overlay
+HE = (H overlay) Haze
+SE = (S overlay) Smoke
+BE = (B overlay) Blowing Snow was \B
+DE = (D overlay) blowing Dust or sand was \b
+FE = (F overlay) Fog was \{
GATEWAYS: #&
/& = HF Gateway <= the original primary table definition
I& = Igate Generic (please use more specific overlay)
+L& - Lora Igate
R& = Receive only IGate (do not send msgs back to RF)
+P& = PSKmail node
T& = TX igate with path set to 1 hop only)
+W& = WIRES-X as opposed to W0 for WiresII
2& = TX igate with path set to 2 hops (not generally good idea)
-INCIDENT SITES: #'
-\' = Airplane Crash Site <= the original primary deifinition
-A' = Automobile crash site
-H' = Hazardous incident
-M' = Multi-Vehicle crash site
-P' = Pileup
-T' = Truck wreck
+GPS devices: #\
+/\ = Triangle DF primary symbol
+\\ = was undefined alternate symbol
+A\ = Avmap G5 * <= Recommend special symbol
+
+HAZARDS: #H
+/H = hotel
+\H = Haze
+MH = Methane Hazard (new Apr 2017)
+RH = Radiation detector (new mar 2011)
+WH = Hazardous Waste
+XH = Skull&Crossbones
HUMAN SYMBOL: #[
/[ = Human
@@ -166,21 +305,32 @@ H[ = Hiker
HOUSE: #-
/- = House
\- = (was HF)
-5- = 50 Hz mains power
-6- = 60 Hz mains power
-B- = Backup Battery Power
-C- = Club, as in Ham club
-E- = Emergency power
+5- = 50 Hz if non standard
+6- = 60 Hz if non standard
+B- = Battery or off grid
+C- = Combined alternatives
+E- = Emergency power (grid down)
G- = Geothermal
H- = Hydro powered
O- = Operator Present
-S- = Solar Powered
-W- = Wind powered
+S- = Solar Power
+W- = Wind power
+
+INCIDENT SITES: #'
+/' = Small Aircraft (original primary symbol)
+\' = Airplane Crash Site <= the original alternate deifinition
+A' = Automobile crash site
+H' = Hazardous incident
+M' = Multi-Vehicle crash site
+P' = Pileup
+T' = Truck wreck
NUMBERED CIRCLES: #0
+A0 = Allstar Node (A0)
E0 = Echolink Node (E0)
I0 = IRLP repeater (I0)
S0 = Staging Area (S0)
+V0 = Echolink and IRLP (VOIP)
W0 = WIRES (Yaesu VOIP)
NETWORK NODES: #8
@@ -195,47 +345,38 @@ I; = Islands on the air
S; = Summits on the air
W; = WOTA
-ADVISORIES: #< (new expansion possibilities)
-/< = motorcycle
-\< = Advisory (single gale flag)
-
-CARS: #>
-/> = normal car (side view)
-\> = Top view and symbol POINTS in direction of travel
-E> = Electric
-H> = Hybrid
-S> = Solar powered
-V> = GM Volt
-
-BOX SYMBOL: #A (and other system inputted symbols)
-/A = Aid station
-\A = numbered box
-9A = Mobile DTMF user
-7A = HT DTMF user
-HA = House DTMF user
-EA = Echolink DTMF report
-IA = IRLP DTMF report
-RA = RFID report
-AA = AllStar DTMF report
-DA = D-Star report
-XA = OLPC Laptop XO
-etc
+POWER and ENERGY: #%
+/% = DX cluster <= the original primary table definition
+C% = Coal
+E% = Emergency (new Aug 2014)
+G% = Gas Turbine
+H% = Hydroelectric
+N% = Nuclear
+P% = Portable (new Aug 2014)
+R% = Renewable (hydrogen etc fuels)
+S% = Solar
+T% = Thermal (geo)
+W% = Wind
-EYEBALL and VISIBILITY #E
-/E = Eyeball for special live events
-\E = (existing smoke) the symbol with no overlay
-HE = (H overlay) Haze
-SE = (S overlay) Smoke
-BE = (B overlay) Blowing Snow was \B
-DE = (D overlay) blowing Dust or sand was \b
-FE = (F overlay) Fog was \{
+RAIL Symbols: #=
+/= = generic train (use steam engine shape for quick recognition)
+\= = tbd (use same symbol for now)
+B= = Bus-rail/trolley/streetcar/guiderail
+C= = Commuter
+D= = Diesel
+E= = Electric
+F= = Freight
+G= = Gondola
+H= = High Speed Rail (& Hyperloop?)
+I= = Inclined Rail
+L= = eLevated
+M= = Monorail
+P= = Passenger
+S= = Steam
+T= = Terminal (station)
+U= = sUbway (& Hyperloop?)
+X= = eXcursion
-HAZARDS: #H
-/H = hotel
-\H = Haze
-RH = Radiation detector (new mar 2011)
-WH = Hazardous Waste
-XH = Skull&Crossbones
RESTAURANTS: #R
\R = Restaurant (generic)
@@ -253,30 +394,6 @@ IY = Icom
KY = Kenwood * <= Recommend special symbol
YY = Yaesu/Standard* <= Recommend special symbol
-GPS devices: #\
-/\ = Triangle DF primary symbol
-\\ = was undefined alternate symbol
-A\ = Avmap G5 * <= Recommend special symbol
-
-ARRL or DIAMOND: #a
-/a = Ambulance
-Aa = ARES
-Da = DSTAR (had been ARES Dutch)
-Ga = RSGB Radio Society of Great Brittan
-Ra = RACES
-Sa = SATERN Salvation Army
-Wa = WinLink
-
-CIVIL DEFENSE or TRIANGLE: #c
-/c = Incident Command Post
-\c = Civil Defense
-Rc = RACES
-Sc = SATERN mobile canteen
-
-BUILDINGS: #h
-/h = Hospital
-\h = Ham Store ** <= now used for HAMFESTS
-Hh = Home Dept etc..
SPECIAL VEHICLES: #k
/k = truck
@@ -284,24 +401,60 @@ SPECIAL VEHICLES: #k
4k = 4x4
Ak = ATV (all terrain vehicle)
-SHIPS: #s
+SHELTERS: #z
+/z = was available
+\z = overlayed shelter
+Cz = Clinic (new Aug 2014)
+Ez = Emergency Power
+Gz = Government building (new Aug 2014)
+Mz = Morgue (new Aug 2014)
+Tz = Triage (new Aug 2014)
+
+SHIPS: #s
/s = Power boat (ship) side view
\s = Overlay Boat (Top view)
-Cs = receive as Canoe but still transmit canoe as /C
+6s = Shipwreck ("deep6") (new Aug 2014)
+Bs = Pleasure Boat
+Cs = Cargo
+Ds = Diving
+Es = Emergency or Medical transport
+Fs = Fishing
+Hs = High-speed Craft
Js = Jet Ski
-Ks = Kayak
-Hs = Hovercraft (new may 2014)
-Ts = Torpedo (new may 2014)
-Us = sUbmarine U-boat (new may 2014)
+Ls = Law enforcement
+Ms = Miltary
+Os = Oil Rig
+Ps = Pilot Boat (new Aug 2014)
+Qs = Torpedo
+Ss = Search and Rescue
+Ts = Tug (new Aug 2014)
+Us = Underwater ops or submarine
+Ws = Wing-in-Ground effect (or Hovercraft)
+Xs = Passenger (paX)(ferry)
+Ys = Sailing (large ship)
TRUCKS: #u
/u = Truck (18 wheeler)
\u = truck with overlay
+Bu = Buldozer/construction/Backhoe (new Aug 2014)
Gu = Gas
+Pu = Plow or SnowPlow (new Aug 2014)
Tu = Tanker
Cu = Chlorine Tanker
Hu = Hazardous
+WATER #w
+/w = Water Station or other H2O
+\w = flooding (or Avalanche/slides)
+Aw = Avalanche
+Gw = Green Flood Gauge
+Mw = Mud slide
+Nw = Normal flood gauge (blue)
+Rw = Red flood gauge
+Sw = Snow Blockage
+Yw = Yellow flood gauge
+
+
Anyone can use any overlay on any of the overlayable symbols for any
special purpose. We are not trying to document all possible such
diff --git a/symbolsX.txt b/data/symbolsX.txt
similarity index 73%
rename from symbolsX.txt
rename to data/symbolsX.txt
index e1aa7eeb..2b54b15d 100644
--- a/symbolsX.txt
+++ b/data/symbolsX.txt
@@ -1,20 +1,21 @@
-APRS SYMBOLS (Icons) 07 Oct 2013
+APRS SYMBOLS (Icons) 25 Nov 2015
-----------------------------------------------------------------------
WB4APR
This original APRS symbol specification is updated periodically with
new symbols as they are defined. This is THE master list for APRS. But
-almost all new symbols will be formed as Overlays to the basic set. So
-be sure to check the symbols-new.txt file noted below!
+almost all new symbols since 2007 will be formed as Overlays to the
+basic set. So be sure to check the symbols-new.txt file noted below!
+
+http://aprs.org/symbols/symbols-new.txt
NEW OVERLAYS ON ALL ALTERNATE SYMBOLS: As of 1 October 2007, the use of
overlay characters on all alternate symbols was allowed as needed in
order to further expand the APRS symbol set. These overlay expansions
of up to 36 different usages for each of the 94 alternate symbols adds
-hundreds of potential new symbols. Since this overlay info will no
-longer fit in this original document it is found in a new document:
-
-http://aprs.org/symbols/symbols-new.txt
+hundreds of potential new symbols. Since each of the original 94
+symbols can now have up to 36 other definitions, this new overlay info
+is now found in the above file.
If an alternate symbol from the table below, contains significant
definitions of its overlay characters, then the entry will have an "O"
@@ -23,10 +24,20 @@ document. The # symbol indicates the original Overlay subset.
For details on Upgrading your symbol set, please see the background
information on Symbols prepared by Stephen Smith, WA8LMF:
-http://www.ew.usna.edu/~bruninga/aprs/symbols-background.txt
+http://aprs.org/symbols/symbols-background.txt
UPDATE CHRONOLOGY:
+25 Nov 15: Found APRStt symbol poorly documented Was shown as "\=".
+ But has been \A BOX symbol with variety of overlays
+23 Jun 15: Changed Aircraft to SSID-11 and Human to SSID-7
+28 Aug 14: Added notation on newly availble BASE codes (begun in 2007)
+ Old WX versions of these: Bb{*:DFegJp were moved to ovlays
+ Expanded #w Flooding to include Avalanches, Mud/Landslides
+ Changed #D from "avail" to new family called Depots
+ Changed name of overlay Car to generic Vehicles w overlays
+ Edited name of /E Eyeball to include "Events"
+19 May 14: Added many new Aircraft and Ship symbols see symbols-new.txt
07 Oct 13: Added JetSki [Js] & Ham Club [C-] ovrlys to symbols-new.txt
19 Sep 11: Added T & 2 overlay for 1 & 2 hop Message TX Igates
Updated overlay "portable" (;) overlays for events
@@ -100,7 +111,9 @@ Alt: >KOSY[^ksuv\ <==[removed /0An]
SYMBOLS.TXT APRS DISPLAY SYMBOLS APRSdos ORIGINAL
======================================================================
-Document dated: 28 Apr 99 FInal APRSdos symbol spec (still updated!)
+Document dated: 28 Apr 99 FInal APRSdos symbol spec
+**************: This file Remains CUrrent and is Updated Frequently
+**************: See date and updates at the top of this file.
Author(s): Bob Bruninga, WB4APR
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
@@ -113,8 +126,8 @@ tables or may be used as an alphanumeric overlay over some symbols:
& RESERVED for possible AUXILLIARY tables (Aug 09)
/ Primary symbol Table (Mostly stations)
\ Alternate symbol table (Mostly Objects)
- 0-9 Alternate OVERLAY symbol with 0-9 overlayed
- A-Z Alternate OVERLAY symbol with A-Z overlayed
+ 0-9 Alternate OVERLAY symbols with 0-9 overlayed
+ A-Z Alternate OVERLAY symbols with A-Z overlayed
For ease of reference we refer to these as the SYMBOL CHARACTERS and
often abbreviate them as "/$" which refers to the Table character "/"
@@ -128,8 +141,8 @@ symbols through Oct 2007 were:
CIRCLE, SQUARE, CAR, TRUCK, VAN, DIGIS, GATES
Civil-Defense(RACES), NWS sites, WX stations, Triangle
-After that, provisions should be made in all software to allow for
-overlays on any alternate symbol as they may be used in the future.
+After 2007, provisions should be made in all software to allow for
+overlays on *any/all* alternate symbols for use in the future.
SYMBOLS WITH STAND-ALONE GPS TRACKERS: Stand-alone devices that
transmit raw GPS have no method to convey their symbol. For this
@@ -162,16 +175,16 @@ for the stand-alone trackers described above.
/$ XYZ BASIC SYMBOL TABLE \$ XYZ OTHER SYMBOL TABLE (\)
-- --- ------------------------ -- --- ----------------------
-/! BB Police, Sheriff \! OB EMERGENCY (!)
+/! BB Police, Sheriff \! OBO EMERGENCY (and overlays)
/" BC reserved (was rain) \" OC reserved
/# BD DIGI (white center) \# OD# OVERLAY DIGI (green star)
/$ BE PHONE \$ OEO Bank or ATM (green box)
/% BF DX CLUSTER \% OFO Power Plant with overlay
/& BG HF GATEway \& OG# I=Igte R=RX T=1hopTX 2=2hopTX
-/' BH Small AIRCRAFT (SSID = 7) \' OHO Crash (& now Incident sites)
-/( BI Mobile Satellite Station \( OI CLOUDY (other clouds w ovrly)
+/' BH Small AIRCRAFT (SSID-11) \' OHO Crash (& now Incident sites)
+/( BI Mobile Satellite Station \( OIO CLOUDY (other clouds w ovrly)
/) BJ Wheelchair (handicapped) \) OJO Firenet MEO, MODIS Earth Obs.
-/* BK SnowMobile \* OK SNOW (& future ovrly codes)
+/* BK SnowMobile \* OK AVAIL (SNOW moved to ` ovly S)
/+ BL Red Cross \+ OL Church
/, BM Boy Scouts \, OM Girl Scouts
/- BN House QTH (VHF) \- ONO House (H=HF) (O = Op Present)
@@ -181,94 +194,95 @@ for the stand-alone trackers described above.
/$ XYZ PRIMARY SYMBOL TABLE \$ XYZ ALTERNATE SYMBOL TABLE (\)
-- --- ------------------------ -- --- --------------------------
-/0 P0 # circle (obsolete) \0 A0# CIRCLE (E/I/W=IRLP/Echolink/WIRES)
-/1 P1 TBD (these were numbered) \1 A1
-/2 P2 TBD (circles like pool) \2 A2
-/3 P3 TBD (balls. But with) \3 A3
-/4 P4 TBD (overlays, we can) \4 A4
-/5 P5 TBD (put all #'s on one) \5 A5
-/6 P6 TBD (So 1-9 are available)\6 A6
-/7 P7 TBD (for new uses?) \7 A7
+/0 P0 # circle (obsolete) \0 A0# CIRCLE (IRLP/Echolink/WIRES)
+/1 P1 TBD (these were numbered) \1 A1 AVAIL
+/2 P2 TBD (circles like pool) \2 A2 AVAIL
+/3 P3 TBD (balls. But with) \3 A3 AVAIL
+/4 P4 TBD (overlays, we can) \4 A4 AVAIL
+/5 P5 TBD (put all #'s on one) \5 A5 AVAIL
+/6 P6 TBD (So 1-9 are available)\6 A6 AVAIL
+/7 P7 TBD (for new uses?) \7 A7 AVAIL
/8 P8 TBD (They are often used) \8 A8O 802.11 or other network node
/9 P9 TBD (as mobiles at events)\9 A9 Gas Station (blue pump)
-/: MR FIRE \: NR Hail (& future ovrly codes)
-/; MS Campground (Portable ops) \; NSO Park/Picnic + overlay events
-/< MT Motorcycle (SSID =10) \< NTO ADVISORY (one WX flag)
-/= MU RAILROAD ENGINE \= NUO APRStt Touchtone (DTMF users)
-/> MV CAR (SSID = 9) \> NV# OVERLAYED CAR
+/: MR FIRE \: NR AVAIL (Hail ==> ` ovly H)
+/; MS Campground (Portable ops) \; NSO Park/Picnic + overlay events
+/< MT Motorcycle (SSID-10) \< NTO ADVISORY (one WX flag)
+/= MU RAILROAD ENGINE \= NUO avail. symbol overlay group
+/> MV CAR (SSID-9) \> NV# OVERLAYED CARs & Vehicles
/? MW SERVER for Files \? NW INFO Kiosk (Blue box with ?)
/@ MX HC FUTURE predict (dot) \@ NX HURICANE/Trop-Storm
/A PA Aid Station \A AA# overlayBOX DTMF & RFID & XO
-/B PB BBS or PBBS \B AB Blwng Snow (& future codes)
+/B PB BBS or PBBS \B AB AVAIL (BlwngSnow ==> E ovly B
/C PC Canoe \C AC Coast Guard
-/D PD \D AD Drizzle (proposed APRStt)
-/E PE EYEBALL (Eye catcher!) \E AE Smoke (& other vis codes)
-/F PF Farm Vehicle (tractor) \F AF Freezng rain (&future codes)
-/G PG Grid Square (6 digit) \G AG Snow Shwr (& future ovrlys)
+/D PD \D ADO DEPOTS (Drizzle ==> ' ovly D)
+/E PE EYEBALL (Events, etc!) \E AE Smoke (& other vis codes)
+/F PF Farm Vehicle (tractor) \F AF AVAIL (FrzngRain ==> `F)
+/G PG Grid Square (6 digit) \G AG AVAIL (Snow Shwr ==> I ovly S)
/H PH HOTEL (blue bed symbol) \H AHO \Haze (& Overlay Hazards)
/I PI TcpIp on air network stn \I AI Rain Shower
-/J PJ \J AJ Lightening (& future ovrlys)
+/J PJ \J AJ AVAIL (Lightening ==> I ovly L)
/K PK School \K AK Kenwood HT (W)
/L PL PC user (Jan 03) \L AL Lighthouse
/M PM MacAPRS \M AMO MARS (A=Army,N=Navy,F=AF)
/N PN NTS Station \N AN Navigation Buoy
-/O PO BALLOON (SSID =11) \O AO Rocket (new June 2004)
+/O PO BALLOON (SSID-11) \O AO Overlay Balloon (Rocket = \O)
/P PP Police \P AP Parking
/Q PQ TBD \Q AQ QUAKE
-/R PR REC. VEHICLE (SSID =13) \R ARO Restaurant
+/R PR REC. VEHICLE (SSID-13) \R ARO Restaurant
/S PS SHUTTLE \S AS Satellite/Pacsat
/T PT SSTV \T AT Thunderstorm
-/U PU BUS (SSID = 2) \U AU SUNNY
+/U PU BUS (SSID-2) \U AU SUNNY
/V PV ATV \V AV VORTAC Nav Aid
/W PW National WX Service Site \W AW# # NWS site (NWS options)
-/X PX HELO (SSID = 6) \X AX Pharmacy Rx (Apothicary)
-/Y PY YACHT (sail) (SSID = 5) \Y AYO Radios and devices
-/Z PZ WinAPRS \Z AZ
-/[ HS Human/Person (HT) \[ DSO W.Cloud (& humans w Ovrly)
+/X PX HELO (SSID-6) \X AX Pharmacy Rx (Apothicary)
+/Y PY YACHT (sail) (SSID-5) \Y AYO Radios and devices
+/Z PZ WinAPRS \Z AZ AVAIL
+/[ HS Human/Person (SSID-7) \[ DSO W.Cloud (& humans w Ovrly)
/\ HT TRIANGLE(DF station) \\ DTO New overlayable GPS symbol
-/] HU MAIL/PostOffice(was PBBS) \] DU
-/^ HV LARGE AIRCRAFT \^ DV# # Aircraft (shows heading)
+/] HU MAIL/PostOffice(was PBBS) \] DU AVAIL
+/^ HV LARGE AIRCRAFT \^ DV# other Aircraft ovrlys (2014)
/_ HW WEATHER Station (blue) \_ DW# # WX site (green digi)
/` HX Dish Antenna \` DX Rain (all types w ovrly)
/$ XYZ LOWER CASE SYMBOL TABLE \$ XYZ SECONDARY SYMBOL TABLE (\)
-- --- ------------------------ -- --- --------------------------
-/a LA AMBULANCE (SSID = 1) \a SA#O ARRL, ARES, WinLINK
-/b LB BIKE (SSID = 4) \b SB Blwng Dst/Snd (& others)
+/a LA AMBULANCE (SSID-1) \a SA#O ARRL,ARES,WinLINK,Dstar, etc
+/b LB BIKE (SSID-4) \b SB AVAIL(Blwng Dst/Snd => E ovly)
/c LC Incident Command Post \c SC#O CD triangle RACES/SATERN/etc
/d LD Fire dept \d SD DX spot by callsign
/e LE HORSE (equestrian) \e SE Sleet (& future ovrly codes)
-/f LF FIRE TRUCK (SSID = 3) \f SF Funnel Cloud
+/f LF FIRE TRUCK (SSID-3) \f SF Funnel Cloud
/g LG Glider \g SG Gale Flags
/h LH HOSPITAL \h SHO Store. or HAMFST Hh=HAM store
/i LI IOTA (islands on the air) \i SI# BOX or points of Interest
/j LJ JEEP (SSID-12) \j SJ WorkZone (Steam Shovel)
-/k LK TRUCK (SSID = 14) \k SKO Special Vehicle SUV,ATV,4x4
+/k LK TRUCK (SSID-14) \k SKO Special Vehicle SUV,ATV,4x4
/l LL Laptop (Jan 03) (Feb 07) \l SL Areas (box,circles,etc)
/m LM Mic-E Repeater \m SM Value Sign (3 digit display)
/n LN Node (black bulls-eye) \n SN# OVERLAY TRIANGLE
/o LO EOC \o SO small circle
-/p LP ROVER (puppy, or dog) \p SP Prtly Cldy (& future ovrlys)
-/q LQ GRID SQ shown above 128 m \q SQ
+/p LP ROVER (puppy, or dog) \p SP AVAIL (PrtlyCldy => ( ovly P
+/q LQ GRID SQ shown above 128 m \q SQ AVAIL
/r LR Repeater (Feb 07) \r SR Restrooms
-/s LS SHIP (pwr boat) (SSID-8) \s SS# OVERLAY SHIP/boat (top view)
+/s LS SHIP (pwr boat) (SSID-8) \s SS# OVERLAY SHIP/boats
/t LT TRUCK STOP \t ST Tornado
/u LU TRUCK (18 wheeler) \u SU# OVERLAYED TRUCK
-/v LV VAN (SSID = 15) \v SV# OVERLAYED Van
-/w LW WATER station \w SW Flooding
-/x LX xAPRS (Unix) \x SX Wreck or Obstruction ->X<-
+/v LV VAN (SSID-15) \v SV# OVERLAYED Van
+/w LW WATER station \w SWO Flooding (Avalanches/Slides)
+/x LX xAPRS (Unix) \x SX Wreck or Obstruction ->X<-
/y LY YAGI @ QTH \y SY Skywarn
/z LZ TBD \z SZ# OVERLAYED Shelter
-/{ J1 \{ Q1 Fog (& future ovrly codes)
+/{ J1 \{ Q1 AVAIL? (Fog ==> E ovly F)
/| J2 TNC Stream Switch \| Q2 TNC Stream Switch
-/} J3 \} Q3
+/} J3 \} Q3 AVAIL? (maybe)
/~ J4 TNC Stream Switch \~ Q4 TNC Stream Switch
HEADING SYMBOLS: Although all symbols are supposed to have a heading
line showing the direction of movement with a length proportional to
the log of speed, some symbols were desiged as top-down views so that
they could be displayed actually always POINTING in the direction of
-movement. These special symbols are:
+movement. Now All symbols should be oriented (if practical). These
+original special symbols were:
\> OVERLAYED CAR
\s Overlayed Ship
@@ -277,10 +291,14 @@ movement. These special symbols are:
/g Glider
\n Overlayed Triangle
-AREA SYMBOLS! You can define BOX/CIRCLE/LINE or TRIANGLE areas in all
-colors, either open or filled in, any size from 60 feet to 100 miles.
-Simply move the cursor to the location, press HOME, move the cursor to
-the lower right corner of the AREA and hit INPUT-ADD-OBJECTS-AREA.
+AREA SYMBOLS! The special symbol \l (lower case L) was special. It
+indicates an area definition. You can define these as a BOX, CIRCLE,
+LINE or TRIANGLE area in all colors, either open or filled in, any
+size from 60 feet to 100 miles. In APRSdos they were generated auto-
+matically by simply moving the cursor to the location, press HOME,
+move the cursor to the lower right corner of the AREA and hit INPUT-
+ADD-OBJECTS-AREA.
+
Enter the type of area, and color. NOTE that AREA shapes can only be
defined by selecting the upper left corner first, then the lower right
second. The line is an exception. It is still top to bottom, but the
@@ -294,10 +312,12 @@ cautious in using the color fill option, since all other objects in
that area that occur earlier in your PLIST will be obscured. AND you
do NOT know the order of other stations P-lists.
-AREAS FORMAT: The new format for specifying special areas uses the
-CSE/SPD field to provide the additional information as follows:
+AREAS FORMAT: Use of the special AREAS symbol (/l) triggers special
+processing of the next 7 bytes normally used for CSE and SPD. In
+this special case the processing is as follows:
$CSE/SPD... Normal Field description
+
lTyy/Cxx... Where: l (lower case L) is symbol for "LOCATION SHAPES"
T is Type of shape: 0=circle, 1=line, 2=elipse
3=triangle 4=box
@@ -314,7 +334,7 @@ Type of 6 and are drawn down and to the left.
HURRICANES, TROPICAL STORMS and DEPRESSIONS: These symbols will be
differentiated by colors red, yellos, and blue. Additionally a radius
of Huricane and also Tropical storm winds will also be shown if the
-format detailed in WX.txt is used.
+special format detailed in WX.txt is used.
SYMBOLS ON MAPS! APRS can also be permanently embedded in maps. To
embed a symbol in a map, simply make the first four characters of the
@@ -325,9 +345,12 @@ same location. An example are the VORTAC nav-aids in Alaska. The
Anchorage VORTAC appears as ANC on all maps below 128 miles. The label
entry is #\VFANC,LAT,LONG,128.
-VALUE SIGNPOSTS: Signposts display as a yellow box with a 1-3 letter
-overlay on them. You specify the 1-3 letter overlay by enclosing them
-in braces in the comment field. Thus a VALUE Signpost with {55} would
+VALUE SIGNPOSTS: This is another special handling Symbol. Signposts
+trigger a display as a yellow box with a 1-3 letter overlay on them.
+The use of this symbol (\m) triggers a search for a 1-3 letter
+string of characters encolsed in braces in the comment field.
+
+Thus a VALUE Signpost with {55} in the comment field would
appear as a sign with 55 on it, designed for posting the speed
of traffic past speed measuring devices. APRSdos has a version named
APRStfc.EXE that monitors traffic speed and posts these speed signs
@@ -336,21 +359,21 @@ map, they ONLY appear at 8 miles and below AND they do not show any
callsign or name. Only the yellow box and the 3 letters or numbers.
Select them from the OBJECT menu under VALUE...
-APRS 1.2 OVERLAY TYPE SYMBOLS [April 2007]:
--------------------------------------------
+APRS 1.2 OVERLAY TYPE SYMBOLS EXPANSION! [April 2007]:
+-------------------------------------------------------
All alternate symbols have the potential to be overlayed. This was
the original intent and was only limited to a few due to limitations
in Mac and WinAPRS. Those original "numbered" symbols are marked
with a # in the table above. But by 2007, it was time to move on.
-In APRS 1.2 it is proposed that any ALTENATE symbol can have overlays.
+In APRS 1.2 it was proposed that any ALTENATE symbol can have overlays.
Kenwood has already responded with the new D710 that can now display
these overlays on all symbols.
To help define these hundreds of new symbol combinations, we have
added a new file called:
-http://www.ew.usna.edu/~bruninga/aprs/symbols-new.txt
+http:aprs.org/symbols/symbols-new.txt
The overlay symbols may be used in two ways. First, simply as an
overlay on a basic symbol type. Most uses of these symbols will be
diff --git a/data/tocalls.txt b/data/tocalls.txt
new file mode 100644
index 00000000..169c9868
--- /dev/null
+++ b/data/tocalls.txt
@@ -0,0 +1,326 @@
+
+APRS TO-CALL VERSION NUMBERS 14 Dec 2021
+---------------------------------------------------------------------
+ WB4APR
+
+
+07 Jun 23 Added APK005 for Kenwood TH-D75
+14 Dec 21 Added APATAR ATA-R APRS Digipeater by TA7W/OH2UDS and TA6AEU
+26 Sep 21 Added APRRDZ EPS32 https://github.com/dl9rdz/rdz_ttgo_sonde
+18 Sep 21 Added APCSS for AMSAT Cubesat Simulator https://cubesatsim.org
+16 Sep 21 Added APY05D for Yaesu FT5D series
+04 Sep 21 APLOxx LoRa KISS TNC/Tracker https://github.com/SQ9MDD/TTGO-T-Beam-LoRa-APRS
+24 Aug 21 Added APLSxx SARIMESH http://www.sarimesh.net
+22 Aug 21 Added APE2Ax for VA3NNW's Email-2-APRS ap
+30 Jun 21 Added APCNxx for carNET by DG5OAW
+14 Jun 21 Added APN2xx for NOSaprs JNOS 2.0 - VE4KLM
+24 Apr 21 Added APMPAD for DF1JSL's WXBot clone and extension
+20 Apr 21 Added APLCxx for APRScube by DL3DCW
+19 Apr 21 Added APVMxx for DRCC-DVM Voice (Digital Radio China Club)
+13 Apr 21 Added APIxxx for all Dstar ICOMS (APRS via DPRS)
+23 MAr 20 Added APW9xx For 9A9Y Weather Tracker
+16 Feb 21 Added API970 for I com 9700
+
+2020 Added APHBLx,APIZCI,APLGxx,APLTxx,APNVxx,APY300,APESPG,APESPW
+ APGDTx,APOSWx,APOSBx,APBT62,APCLUB,APMQxx
+2019 Added APTPNx,APJ8xx,APBSDx,APNKMX,APAT51,APMGxx,APTCMA,
+ APATxx,APQTHx,APLIGx
+2018 added APRARX,APELKx,APGBLN,APBKxx,APERSx,APTCHE
+2017 Added APHWxx,APDVxx,APPICO,APBMxx,APP6xx,APTAxx,APOCSG,APCSMS,
+ APPMxx,APOFF,APDTMF,APRSON,APDIGI,APSAT,APTBxx,APIExx,
+ APSFxx
+2016 added APYSxx,APINxx,APNICx,APTKPT,APK004,APFPRS,APCDS0,APDNOx
+2015 Added APSTPO,APAND1,APDRxx,APZ247,APHTxx,APMTxx,APZMAJ
+ APB2MF,APR2MF,APAVT5
+
+
+
+
+In APRS, the AX.25 Destination address is not used for packet
+routing as is normally done in AX.25. So APRS uses it for two
+things. The initial APxxxx is used as a group identifier to make
+APRS packets instanantly recognizable on shared channels. Most
+applicaitons ignore all non APRS packets. The remaining 4 xxxx
+bytes of the field are available to indicate the software version
+number or application. The following applications have requested
+a TOCALL number series:
+
+Authors with similar alphabetic requirements are encouraged to share
+their address space with other software. Work out agreements amongst
+yourselves and keep me informed.
+
+
+
+
+ APn 3rd digit is a number
+ AP1WWX TAPR T-238+ WX station
+ AP1MAJ Martyn M1MAJ DeLorme inReach Tracker
+ AP4Rxy APRS4R software interface
+ APnnnD Painter Engineering uSmartDigi D-Gate DSTAR Gateway
+ APnnnU Painter Engineering uSmartDigi Digipeater
+ APA APAFxx AFilter.
+ APAGxx AGATE
+ APAGWx SV2AGW's AGWtracker
+ APALxx Alinco DR-620/635 internal TNC digis. "Hachi" ,JF1AJE
+ APAXxx AFilterX.
+ APAHxx AHub
+ APAND1 APRSdroid (pre-release) http://aprsdroid.org/
+ APAMxx Altus Metrum GPS trackers
+ APATAR ATA-R APRS Digipeater by TA7W/OH2UDS and TA6AEU
+ APAT8x for Anytone. 81 for 878 HT
+ APAT51 for Anytone AT-D578UV APRS mobile radio
+ APAVT5 SainSonic AP510 which is a 1watt tracker
+ APAWxx AGWPE
+ APB APBxxx Beacons or Rabbit TCPIP micros?
+ APB2MF DL2MF - MF2APRS Radiosonde for balloons
+ APBLxx BigRedBee BeeLine
+ APBLO MOdel Rocketry K7RKT
+ APBKxx PY5BK Bravo Tracker in Brazil
+ APBPQx John G8BPQ Digipeater/IGate
+ APBMxx BrandMeister DMR Server for R3ABM
+ APBSDx HamBSD https://hambsd.org/
+ APBT62 BTech DMR 6x2
+ APC APCxxx Cellular applications
+ APCBBx VE7UDP Blackberry Applications
+ APCDS0 Leon Lessing ZS6LMG's cell tracker
+ APCLEY EYTraker GPRS/GSM tracker by ZS6EY
+ APCLEZ Telit EZ10 GSM application ZS6CEY
+ APCLUB Brazil APRS network
+ APCLWX EYWeather GPRS/GSM WX station by ZS6EY
+ APCNxx for carNET by DG5OAW
+ APCSMS for Cosmos (used for sending commands @USNA)
+ APCSS for AMSAT cubesats https://cubesatsim.org
+ APCWP8 John GM7HHB, WinphoneAPRS
+ APCYxx Cybiko applications
+ APD APD4xx UP4DAR platform
+ APDDxx DV-RPTR Modem and Control Center Software
+ APDFxx Automatic DF units
+ APDGxx D-Star Gateways by G4KLX ircDDB
+ APDHxx WinDV (DUTCH*Star DV Node for Windows)
+ APDInn DIXPRS - Bela, HA5DI
+ APDIGI Used by PSAT2 to indicate the digi is ON
+ APDIGI digi ON for PSAT2 and QIKCOM-2
+ APDKxx KI4LKF g2_ircddb Dstar gateway software
+ APDNOx APRSduino by DO3SWW
+ APDOxx ON8JL Standalone DStar Node
+ APDPRS D-Star originated posits
+ APDRxx APRSdroid Android App http://aprsdroid.org/
+ APDSXX SP9UOB for dsDigi and ds-tracker
+ APDTxx APRStouch Tone (DTMF)
+ APDTMF digi off mode on QIKCOM2 and DTMF ON
+ APDUxx U2APRS by JA7UDE
+ APDVxx OE6PLD's SSTV with APRS status exchange
+ APDWxx DireWolf, WB2OSZ
+ APE APExxx Telemetry devices
+ APE2Ax VA3NNW's Email-2-APRS ap
+ APECAN Pecan Pico APRS Balloon Tracker
+ APELKx WB8ELK balloons
+ APERXQ Experimental tracker by PE1RXQ
+ APERSx Runner tracking by Jason,KG7YKZ
+ APESPG ESP SmartBeacon APRS-IS Client
+ APESPW ESP Weather Station APRS-IS Client
+ APF APFxxx Firenet
+ APFGxx Flood Gage (KP4DJT)
+ APFIxx for APRS.FI OH7LZB, Hessu
+ APFPRS for FreeDV by Jeroen PE1RXQ
+ APG APGxxx Gates, etc
+ APGOxx for AA3NJ PDA application
+ APGBLN for NW5W's GoBalloon
+ APGDTx for VK4FAST's Graphic Data Terminal
+ APH APHKxx for LA1BR tracker/digipeater
+ APHAXn SM2APRS by PY2UEP
+ APHBLx for DMR Gateway by Eric - KF7EEL
+ APHTxx HMTracker by IU0AAC
+ APHWxx for use in "HamWAN
+ API API282 for ICOM IC-2820
+ API31 for ICOM ID-31
+ API410 for ICOM ID-4100
+ API51 for ICOM ID-51
+ API510 for ICOM ID-5100
+ API710 for ICOM IC-7100
+ API80 for ICOM IC-80
+ API880 for ICOM ID-880
+ API910 for ICOM IC-9100
+ API92 for ICOM IC-92
+ API970 for ICOM 9700
+ APICQx for ICQ
+ APICxx HA9MCQ's Pic IGate
+ APIExx W7KMV's PiAPRS system
+ APINxx PinPoint by AB0WV
+ APIZCI hymTR IZCI Tracker by TA7W/OH2UDS and TA6AEU
+ APJ APJ8xx Jordan / KN4CRD JS8Call application
+ APJAxx JavAPRS
+ APJExx JeAPRS
+ APJIxx jAPRSIgate
+ APJSxx javAPRSSrvr
+ APJYnn KA2DDO Yet another APRS system
+ APK APK0xx Kenwood TH-D7's
+ APK003 Kenwood TH-D72
+ APK004 Kenwood TH-D74
+ APK005 Kenwood TH-D75
+ APK1xx Kenwood D700's
+ APK102 Kenwood D710
+ APKRAM KRAMstuff.com - Mark. G7LEU
+ APL APLCxx APRScube by DL3DCW
+ APLGxx LoRa Gateway/Digipeater OE5BPA
+ APLIGx LightAPRS - TA2MUN and TA9OHC
+ APLOxx LoRa KISS TNC/Tracker
+ APLQRU Charlie - QRU Server
+ APLMxx WA0TQG transceiver controller
+ APLSxx SARIMESH ( http://www.sarimesh.net )
+ APLTxx LoRa Tracker - OE5BPA
+ APM APMxxx MacAPRS,
+ APMGxx PiCrumbs and MiniGate - Alex, AB0TJ
+ APMIxx SQ3PLX http://microsat.com.pl/
+ APMPAD DF1JSL's WXBot clone and extension
+ APMQxx Ham Radio of Things WB2OSZ
+ APMTxx LZ1PPL for tracker
+ APN APNxxx Network nodes, digis, etc
+ APN2xx NOSaprs for JNOS 2.0 - VE4KLM
+ APN3xx Kantronics KPC-3 rom versions
+ APN9xx Kantronics KPC-9612 Roms
+ APNAxx WB6ZSU's APRServe
+ APNDxx DIGI_NED
+ APNICx SQ5EKU http://sq5eku.blogspot.com/
+ APNK01 Kenwood D700 (APK101) type
+ APNK80 KAM version 8.0
+ APNKMP KAM+
+ APNKMX KAM-XL
+ APNMxx MJF TNC roms
+ APNPxx Paccom TNC roms
+ APNTxx SV2AGW's TNT tnc as a digi
+ APNUxx UIdigi
+ APNVxx SQ8L's VP digi and Nodes
+ APNXxx TNC-X (K6DBG)
+ APNWxx SQ3FYK.com WX/Digi and SQ3PLX http://microsat.com.pl/
+ APO APRSpoint
+ APOFF Used by PSAT and PSAT2 to indicate the digi is OFF
+ APOLUx for OSCAR satellites for AMSAT-LU by LU9DO
+ APOAxx OpenAPRS - Greg Carter
+ APOCSG For N0AGI's APRS to POCSAG project
+ APOD1w Open Track with 1 wire WX
+ APOSBx openSPOT3 by HA2NON at sharkrf.com
+ APOSWx openSPOT2
+ APOTxx Open Track
+ APOU2k Open Track for Ultimeter
+ APOZxx www.KissOZ.dk Tracker. OZ1EKD and OZ7HVO
+ APP APP6xx for APRSlib
+ APPICx DB1NTO' PicoAPRS
+ APPMxx DL1MX's RTL-SDR pytohon Igate
+ APPTxx KetaiTracker by JF6LZE, Takeki (msg capable)
+ APQ APQxxx Earthquake data
+ APQTHx W8WJB's QTH.app
+ APR APR8xx APRSdos versions 800+
+ APR2MF DL2MF - MF2APRS Radiosonde WX reporting
+ APRARX VK5QI's radiosonde tracking
+ APRDxx APRSdata, APRSdr
+ APRGxx aprsg igate software, OH2GVE
+ APRHH2 HamHud 2
+ APRKxx APRStk
+ APRNOW W5GGW ipad application
+ APRRTx RPC electronics
+ APRS Generic, (obsolete. Digis should use APNxxx instead)
+ APRSON Used by PSAT to indicate the DIGI is ON
+ APRXxx >40 APRSmax
+ APRXxx <39 for OH2MQK's igate
+ APRTLM used in MIM's and Mic-lites, etc
+ APRtfc APRStraffic
+ APRSTx APRStt (Touch tone)
+ APS APSxxx APRS+SA, etc
+ APSARx ZL4FOX's SARTRACK
+ APSAT digi ON for QIKCOM-1
+ APSCxx aprsc APRS-IS core server (OH7LZB, OH2MQK)
+ APSFxx F5OPV embedded devices - was APZ40
+ APSK63 APRS Messenger -over-PSK63
+ APSK25 APRS Messenger GMSK-250
+ APSMSx Paul Dufresne's SMSGTE - SMS Gateway
+ APSTMx for W7QO's Balloon trackers
+ APSTPO for N0AGI Satellite Tracking and Operations
+ APT APT2xx Tiny Track II
+ APT3xx Tiny Track III
+ APTAxx K4ATM's tiny track
+ APTBxx TinyAPRS by BG5HHP Was APTAxx till Sep 2017
+ APTCHE PU3IKE in Brazil TcheTracker/Tcheduino
+ APTCMA CAPI tracker - PU1CMA Brazil
+ APTIGR TigerTrack
+ APTKPT TrackPoint N0LP
+ APTPNx TARPN Packet Node Tracker by KN4ORB http://tarpn.net/
+ APTTxx Tiny Track
+ APTWxx Byons WXTrac
+ APTVxx for ATV/APRN and SSTV applications
+ APU APU1xx UIview 16 bit applications
+ APU2xx UIview 32 bit apps
+ APU3xx UIview terminal program
+ APUDRx NW Digital Radio's UDR (APRS/Dstar)
+ APV APVxxx Voice over Internet applications
+ APVMxx DRCC-DVM Digital Voice (Digital Radio China Club)
+ APVRxx for IRLP
+ APVLxx for I-LINK
+ APVExx for ECHO link
+ APW APWxxx WinAPRS, etc
+ APW9xx 9A9Y Weather Tracker
+ APWAxx APRSISCE Android version
+ APWSxx DF4IAN's WS2300 WX station
+ APWMxx APRSISCE KJ4ERJ
+ APWWxx APRSISCE win32 version
+ APX APXnnn Xastir
+ APXRnn Xrouter
+ APY APYxxx Yaesu Radios
+ APY008 Yaesu VX-8 series
+ APY01D Yaesu FT1D series
+ APY02D Yaesu FT2D series
+ APY03D Yaesu FT3D series
+ APY05D Yaesu FT5D series
+ APY100 Yaesu FTM-100D series
+ APY300 Yaesu FTM-300D series
+ APY350 Yaesu FTM-350 series
+ APY400 Yaesu FTM-400D series
+ APZ APZxxx Experimental
+ APZ200 old versions of JNOS
+ APZ247 for UPRS NR0Q
+ APZ0xx Xastir (old versions. See APX)
+ APZMAJ Martyn M1MAJ DeLorme inReach Tracker
+ APZMDM github/codec2_talkie - product code not registered
+ APZMDR for HaMDR trackers - hessu * hes.iki.fi]
+ APZPAD Smart Palm
+ APZTKP TrackPoint, Nick N0LP (Balloon tracking)(depricated)
+ APZWIT MAP27 radio (Mountain Rescue) EI7IG
+ APZWKR GM1WKR NetSked application
+
+
+
+
+
+
+REGISTERED TOCALL ALTNETS:
+--------------------------
+
+ALTNETS are uses of the AX-25 tocall to distinguish specialized
+traffic that may be flowing on the APRS-IS, but that are not intended
+to be part of normal APRS distribution to all normal APRS software
+operating in normal (default) modes. Proper APRS software that
+honors this design are supposed to IGNORE all ALTNETS unless the
+particular operator has selected an ALTNET to monitor for.
+
+An example is when testing; an author may want to transmit objects
+all over his map for on-air testing, but does not want these to
+clutter everyone's maps or databases. He could use the ALTNET of
+"TEST" and client APRS software that respects the ALTNET concept
+should ignore these packets.
+
+An ALTNET is defined to be ANY AX.25 TOCALL that is NOT one of the
+normal APRS TOCALL's. The normal TOCALL's that APRS is supposed to
+process are: ALL, BEACON, CQ, QST, GPSxxx and of course APxxxx.
+
+The following is a list of ALTNETS that may be of interest to other
+users. This list is by no means complete, since ANY combination of
+characters other than APxxxx are considered an ALTNET. But this list
+can give consisntecy to ALTNETS that may be using the global APRS-IS
+and need some special recognition. Here are some ideas:
+
+
+
+ SATERN - Salvation Army Altnet
+ AFMARS - Airforce Mars
+ AMARS - Army Mars
+
\ No newline at end of file
diff --git a/debian/README.Debian b/debian/README.Debian
new file mode 100644
index 00000000..853f55f0
--- /dev/null
+++ b/debian/README.Debian
@@ -0,0 +1,5 @@
+In order to start direwolf as a service the configuration file
+/etc/direwolf.conf needs to exist. Otherwise attempting to start the service
+returns an 'Assertion failed' error. An example configuration file which may be
+used as a model can be found in
+/usr/share/doc/direwolf/examples/direwolf.conf.gz
diff --git a/debian/changelog b/debian/changelog
new file mode 120000
index 00000000..cf547089
--- /dev/null
+++ b/debian/changelog
@@ -0,0 +1 @@
+../CHANGES.md
\ No newline at end of file
diff --git a/debian/compat b/debian/compat
new file mode 100644
index 00000000..9a037142
--- /dev/null
+++ b/debian/compat
@@ -0,0 +1 @@
+10
\ No newline at end of file
diff --git a/debian/control b/debian/control
new file mode 100644
index 00000000..106663b5
--- /dev/null
+++ b/debian/control
@@ -0,0 +1,30 @@
+Source: direwolf
+Maintainer: Debian Hamradio Maintainers
+Uploaders: Iain R. Learmonth
+Section: hamradio
+Priority: optional
+Build-Depends: debhelper (>= 9),
+ libasound2-dev,
+ libgps-dev,
+ libhamlib-dev,
+ dh-systemd
+Standards-Version: 4.1.0
+Vcs-Browser: https://anonscm.debian.org/cgit/pkg-hamradio/direwolf.git/
+Vcs-Git: https://anonscm.debian.org/git/pkg-hamradio/direwolf.git
+Homepage: https://github.com/wb2osz/direwolf
+
+Package: direwolf
+Architecture: alpha amd64 arm64 armel armhf i386 mipsel ppc64el sh4 x32
+Depends: ${shlibs:Depends},
+ ${misc:Depends},
+ adduser,
+ libhamlib2
+Suggests: gpsd, libhamlib-utils
+Breaks: direwolf-docs (<< 1.1-1)
+Replaces: direwolf-docs (<< 1.1-1)
+Description: Soundcard TNC for APRS
+ Dire Wolf is a software "soundcard" modem/TNC and APRS encoder/decoder. It can
+ be used stand-alone to receive APRS messages, as a digipeater, APRStt gateway,
+ or Internet Gateway (IGate). It can also be used as a virtual TNC for other
+ applications such as APRSIS32, UI-View32, Xastir, APRS-TW, YAAC, UISS, Linux
+ AX25, SARTrack, and many others.
\ No newline at end of file
diff --git a/debian/copyright b/debian/copyright
new file mode 100644
index 00000000..b546bf71
--- /dev/null
+++ b/debian/copyright
@@ -0,0 +1,176 @@
+Format: http://www.debian.org/doc/packaging-manuals/copyright-format/1.0/
+Upstream-Name: direwolf
+Files-Excluded: doc/*.pdf
+Source: https://github.com/wb2osz/direwolf
+Comment:
+ The files in misc/ are copied directly from the Cygwin source code. These are
+ listed here as dual licensed as they are both part of the Cygwin distribution
+ and originally part of BSD. See misc/README-dire-wolf.txt for more information.
+ .
+ Please see ftp-master's comments on this here:
+ https://lists.debian.org/debian-hams/2014/09/msg00063.html
+ https://lists.debian.org/debian-hams/2014/10/msg00003.html
+
+Files: *
+Copyright: (C) 2011-2014 John Langner WB2OSZ
+License: GPL-2+
+
+Files: geotranz/*
+Copyright: National Geospatial-Intelligence Agency
+License: Permissive-NGA
+
+Files: regex/*
+Copyright: (C) 2002, 2003, 2005 Free Software Foundation, Inc.
+License: LGPL-2.1+
+
+Files: misc/strcasestr.c
+Copyright:
+ (C) 1990, 1993 The Regents of the University of California
+ (C) RedHat
+License: BSD-4-clause or GPL-2+
+
+Files: misc/strtok_r.c misc/strsep.c
+Copyright:
+ (C) 1988 Regents of the University of California
+ (C) RedHat
+License: BSD-3-clause or GPL-2+
+
+Files: debian/*
+Copyright: (C) 2014 Iain R. Learmonth
+License: GPL-2+
+
+License: BSD-3-clause
+ Redistribution and use in source and binary forms, with or without
+ modification, are permitted provided that the following conditions
+ are met:
+ .
+ 1. Redistributions of source code must retain the above copyright
+ notice, this list of conditions and the following disclaimer.
+ .
+ 2. Redistributions in binary form must reproduce the above copyright
+ notice, this list of conditions and the following disclaimer in the
+ documentation and/or other materials provided with the distribution.
+ .
+ 3. Neither the name of the University nor the names of its contributors
+ may be used to endorse or promote products derived from this software
+ without specific prior written permission.
+ .
+ THIS SOFTWARE IS PROVIDED BY THE REGENTS AND CONTRIBUTORS ``AS IS'' AND
+ ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE
+ IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE
+ ARE DISCLAIMED. IN NO EVENT SHALL THE REGENTS OR CONTRIBUTORS BE LIABLE
+ FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL
+ DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS
+ OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION)
+ HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT
+ LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY
+ OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF
+ SUCH DAMAGE.
+
+License: BSD-4-clause
+ Redistribution and use in source and binary forms, with or without
+ modification, are permitted provided that the following conditions
+ are met:
+ .
+ 1. Redistributions of source code must retain the above copyright
+ notice, this list of conditions and the following disclaimer.
+ .
+ 2. Redistributions in binary form must reproduce the above copyright
+ notice, this list of conditions and the following disclaimer in the
+ documentation and/or other materials provided with the distribution.
+ .
+ 3. All advertising materials mentioning features or use of this software
+ must display the following acknowledgement:
+ This product includes software developed by the University of
+ California, Berkeley and its contributors.
+ .
+ 4. Neither the name of the University nor the names of its contributors
+ may be used to endorse or promote products derived from this software
+ without specific prior written permission.
+ .
+ THIS SOFTWARE IS PROVIDED BY THE REGENTS AND CONTRIBUTORS ``AS IS'' AND
+ ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE
+ IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE
+ ARE DISCLAIMED. IN NO EVENT SHALL THE REGENTS OR CONTRIBUTORS BE LIABLE
+ FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL
+ DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS
+ OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION)
+ HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT
+ LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY
+ OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF
+ SUCH DAMAGE.
+
+License: GPL-2+
+ This program is free software: you can redistribute it and/or modify
+ it under the terms of the GNU General Public License as published by
+ the Free Software Foundation, either version 2 of the License, or
+ (at your option) any later version.
+ .
+ This program is distributed in the hope that it will be useful,
+ but WITHOUT ANY WARRANTY; without even the implied warranty of
+ MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
+ GNU General Public License for more details.
+ .
+ You should have received a copy of the GNU General Public License
+ along with this program. If not, see .
+ .
+ On Debian systems, a copy of the full license text is available in
+ /usr/share/common-licenses/GPL-2.
+
+License: LGPL-2.1+
+ This library is free software; you can redistribute it and/or
+ modify it under the terms of the GNU Lesser General Public
+ License as published by the Free Software Foundation; either
+ version 2.1 of the License, or (at your option) any later version.
+ .
+ This library is distributed in the hope that it will be useful,
+ but WITHOUT ANY WARRANTY; without even the implied warranty of
+ MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU
+ Lesser General Public License for more details.
+ .
+ You should have received a copy of the GNU Lesser General Public
+ License along with this library; if not, write to the Free Software
+ Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301 USA
+ .
+ On Debian systems, a copy of the full license text is available in
+ /usr/share/common-licenses/LGPL-2.1.
+
+License: Permissive-NGA
+ 1. The GEOTRANS source code ("the software") is provided free of charge by the
+ National Geospatial-Intelligence Agency (NGA) of the United States Department
+ of Defense. Although NGA makes no copyright claim under Title 17 U.S.C., NGA
+ claims copyrights in the source code under other legal regimes. NGA hereby
+ grants to each user of the software a license to use and distribute the
+ software, and develop derivative works.
+ .
+ 2. NGA requests that products developed using the software credit the source of
+ the software with the following statement, "The product was developed using
+ GEOTRANS, a product of the National Geospatial-Intelligence Agency (NGA) and
+ U.S. Army Engineering Research and Development Center." Do not use the name
+ GEOTRANS for any derived work.
+ .
+ 3. Warranty Disclaimer: The software was developed to meet only the internal
+ requirements of the National Geospatial-Intelligence Agency (NGA). The software
+ is provided "as is," and no warranty, express or implied, including but not
+ limited to the implied warranties of merchantability and fitness for particular
+ purpose or arising by statute or otherwise in law or from a course of dealing
+ or usage in trade, is made by NGA as to the accuracy and functioning of the
+ software.
+ .
+ 4. NGA and its personnel are not required to provide technical support or
+ general assistance with respect to public use of the software. Government
+ customers may contact NGA.
+ .
+ 5. Neither NGA nor its personnel will be liable for any claims, losses, or
+ damages arising from or connected with the use of the software. The user agrees
+ to hold harmless the United States National Geospatial-Intelligence Agency
+ (NGA). The user's sole and exclusive remedy is to stop using the software.
+ .
+ 6. Please be advised that pursuant to the United States Code, 10 U.S.C. 425,
+ the name of the National Geospatial-Intelligence Agency, the initials "NGA",
+ the seal of the National Geospatial-Intelligence Agency, or any colorable
+ imitation thereof shall not be used to imply approval, endorsement, or
+ authorization of a product without prior written permission from United States
+ Secretary of Defense. Do not create the impression that NGA, the Secretary of
+ Defense or the Director of National Intelligence has endorsed any product
+ derived from GEOTRANS.
\ No newline at end of file
diff --git a/debian/direwolf.postinst b/debian/direwolf.postinst
new file mode 100644
index 00000000..e42b9f83
--- /dev/null
+++ b/debian/direwolf.postinst
@@ -0,0 +1,33 @@
+#!/bin/sh
+
+set -e
+
+. /usr/share/debconf/confmodule
+
+add_group_if_missing() {
+ if ! getent group direwolf >/dev/null; then
+ addgroup --system --force-badname direwolf || true
+ fi
+}
+
+add_user_if_missing() {
+ if ! id -u direwolf > /dev/null 2>&1; then
+ mkdir -m 02750 -p /var/lib/direwolf
+ adduser --system --home /var/lib/direwolf \
+ --disabled-password \
+ --force-badname direwolf \
+ --ingroup direwolf
+ adduser direwolf dialout
+ chown direwolf:direwolf /var/lib/direwolf
+ fi
+}
+
+add_group_if_missing
+add_user_if_missing
+
+db_stop
+
+#DEBHELPER#
+
+exit 0
+
diff --git a/debian/direwolf.postrm b/debian/direwolf.postrm
new file mode 100644
index 00000000..886af3d2
--- /dev/null
+++ b/debian/direwolf.postrm
@@ -0,0 +1,19 @@
+#!/bin/sh
+
+set -e
+
+case "$1" in
+ purge)
+ rm -rf /var/lib/direwolf/
+ ;;
+ remove|upgrade|failed-upgrade|abort-install|abort-upgrade|disappear)
+ ;;
+ *)
+ echo "postrm called with unknown argument \`$1'" >&2
+ exit 1
+esac
+
+#DEBHELPER#
+
+exit 0
+
diff --git a/debian/rules b/debian/rules
new file mode 100644
index 00000000..b8c22228
--- /dev/null
+++ b/debian/rules
@@ -0,0 +1,7 @@
+#!/usr/bin/make -f
+
+%:
+ dh $@ --parallel
+
+override_dh_auto_configure:
+ dh_auto_configure -- -DFORCE_SSE=1
diff --git a/debian/source/format b/debian/source/format
new file mode 100644
index 00000000..46ebe026
--- /dev/null
+++ b/debian/source/format
@@ -0,0 +1 @@
+3.0 (quilt)
\ No newline at end of file
diff --git a/decode_aprs.c b/decode_aprs.c
deleted file mode 100644
index f049b736..00000000
--- a/decode_aprs.c
+++ /dev/null
@@ -1,3948 +0,0 @@
-//
-// This file is part of Dire Wolf, an amateur radio packet TNC.
-//
-// Copyright (C) 2011,2012,2013,2014 John Langner, WB2OSZ
-//
-// This program is free software: you can redistribute it and/or modify
-// it under the terms of the GNU General Public License as published by
-// the Free Software Foundation, either version 2 of the License, or
-// (at your option) any later version.
-//
-// This program is distributed in the hope that it will be useful,
-// but WITHOUT ANY WARRANTY; without even the implied warranty of
-// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
-// GNU General Public License for more details.
-//
-// You should have received a copy of the GNU General Public License
-// along with this program. If not, see .
-//
-
-
-/*------------------------------------------------------------------
- *
- * File: decode_aprs.c
- *
- * Purpose: Decode the information part of APRS frame.
- *
- * Description: Present the packet contents in human readable format.
- * This is a fairly complete implementation with error messages
- * pointing out various specication violations.
- *
- *
- *
- * Assumptions: ax25_from_frame() has been called to
- * separate the header and information.
- *
- *
- *------------------------------------------------------------------*/
-
-#include
-#include
-#include
-#include /* for atof */
-#include /* for strtok */
-#if __WIN32__
-char *strsep(char **stringp, const char *delim);
-#endif
-#include /* for pow */
-#include /* for isdigit */
-#include
-
-#ifndef _POSIX_C_SOURCE
-#define _POSIX_C_SOURCE 1
-#endif
-#include "regex.h"
-
-#include "direwolf.h"
-#include "ax25_pad.h"
-#include "textcolor.h"
-#include "symbols.h"
-#include "latlong.h"
-
-#define TRUE 1
-#define FALSE 0
-
-
-#define METERS_TO_FEET(x) ((x) * 3.2808399)
-#define KNOTS_TO_MPH(x) ((x) * 1.15077945)
-#define KM_TO_MILES(x) ((x) * 0.621371192)
-#define MBAR_TO_INHG(x) ((x) * 0.0295333727)
-
-
-/* Position & symbol fields common to several message formats. */
-
-typedef struct {
- char lat[8];
- char sym_table_id; /* / \ 0-9 A-Z */
- char lon[9];
- char symbol_code;
- } position_t;
-
-typedef struct {
- char sym_table_id; /* / \ a-j A-Z */
- /* "The presence of the leading Symbol Table Identifier */
- /* instead of a digit indicates that this is a compressed */
- /* Position Report and not a normal lat/long report." */
- /* "a-j" is not a typographical error. */
- /* The first 10 lower case letters represent the overlay */
- /* characters of 0-9 in the compressed format. */
-
- char y[4]; /* Compressed Latitude. */
- char x[4]; /* Compressed Longitude. */
- char symbol_code;
- char c; /* Course/speed or altitude. */
- char s;
- char t ; /* Compression type. */
- } compressed_position_t;
-
-
-static void print_decoded (void);
-
-static void aprs_ll_pos (unsigned char *, int);
-static void aprs_ll_pos_time (unsigned char *, int);
-static void aprs_raw_nmea (unsigned char *, int);
-static void aprs_mic_e (packet_t, unsigned char *, int);
-//static void aprs_compressed_pos (unsigned char *, int);
-static void aprs_message (unsigned char *, int);
-static void aprs_object (unsigned char *, int);
-static void aprs_item (unsigned char *, int);
-static void aprs_station_capabilities (char *, int);
-static void aprs_status_report (char *, int);
-static void aprs_telemetry (char *, int);
-static void aprs_raw_touch_tone (char *, int);
-static void aprs_morse_code (char *, int);
-static void aprs_positionless_weather_report (unsigned char *, int);
-static void weather_data (char *wdata, int wind_prefix);
-static void aprs_ultimeter (char *, int);
-static void third_party_header (char *, int);
-
-
-static void decode_position (position_t *ppos);
-static void decode_compressed_position (compressed_position_t *ppos);
-
-static double get_latitude_8 (char *p);
-static double get_longitude_9 (char *p);
-
-static double get_latitude_nmea (char *pstr, char *phemi);
-static double get_longitude_nmea (char *pstr, char *phemi);
-
-static time_t get_timestamp (char *p);
-static int get_maidenhead (char *p);
-
-static int data_extension_comment (char *pdext);
-static void decode_tocall (char *dest);
-//static void get_symbol (char dti, char *src, char *dest);
-static void process_comment (char *pstart, int clen);
-
-
-/*
- * Information extracted from the message.
- */
-
-/* for unknown values. */
-
-//#define G_UNKNOWN -999999
-
-
-static char g_msg_type[30]; /* Message type. */
-
-static char g_symbol_table; /* The Symbol Table Identifier character selects one */
- /* of the two Symbol Tables, or it may be used as */
- /* single-character (alpha or numeric) overlay, as follows: */
-
- /* / Primary Symbol Table (mostly stations) */
-
- /* \ Alternate Symbol Table (mostly Objects) */
-
- /* 0-9 Numeric overlay. Symbol from Alternate Symbol */
- /* Table (uncompressed lat/long data format) */
-
- /* a-j Numeric overlay. Symbol from Alternate */
- /* Symbol Table (compressed lat/long data */
- /* format only). i.e. a-j maps to 0-9 */
-
- /* A-Z Alpha overlay. Symbol from Alternate Symbol Table */
-
-
-static char g_symbol_code; /* Where the Symbol Table Identifier is 0-9 or A-Z (or a-j */
- /* with compressed position data only), the symbol comes from */
- /* the Alternate Symbol Table, and is overlaid with the */
- /* identifier (as a single digit or a capital letter). */
-
-static double g_lat, g_lon; /* Location, degrees. Negative for South or West. */
- /* Set to G_UNKNOWN if missing or error. */
-
-static char g_maidenhead[9]; /* 4 or 6 (or 8?) character maidenhead locator. */
-
-static char g_name[20]; /* Object or item name. */
-
-static float g_speed; /* Speed in MPH. */
-
-static float g_course; /* 0 = North, 90 = East, etc. */
-
-static int g_power; /* Transmitter power in watts. */
-
-static int g_height; /* Antenna height above average terrain, feet. */
-
-static int g_gain; /* Antenna gain in dB. */
-
-static char g_directivity[10]; /* Direction of max signal strength */
-
-static float g_range; /* Precomputed radio range in miles. */
-
-static float g_altitude; /* Feet above median sea level. */
-
-static char g_mfr[80]; /* Manufacturer or application. */
-
-static char g_mic_e_status[30]; /* MIC-E message. */
-
-static char g_freq[40]; /* Frequency, tone, xmit offset */
-
-static char g_comment[256]; /* Comment. */
-
-/*------------------------------------------------------------------
- *
- * Function: decode_aprs
- *
- * Purpose: Optionally print packet then decode it.
- *
- * Inputs: src - Source Station.
- *
- * The SSID is used as a last resort for the
- * displayed symbol if not specified in any other way.
- *
- * dest - Destination Station.
- *
- * Certain destinations (GPSxxx, SPCxxx, SYMxxx) can
- * be used to specify the display symbol.
- * For the MIC-E format (used by Kenwood D7, D700), the
- * "destination" is really the latitude.
- *
- * pinfo - pointer to information field.
- * info_len - length of the information field.
- *
- * Outputs: Variables above:
- *
- * g_symbol_table, g_symbol_code,
- * g_lat, g_lon,
- * g_speed, g_course, g_altitude,
- * g_comment
- * ... and others...
- *
- * Other functions are then called to retrieve the information.
- *
- * Bug: This is not thread-safe because it uses static data and strtok.
- *
- *------------------------------------------------------------------*/
-
-void decode_aprs (packet_t pp)
-{
- //int naddr;
- //int err;
- char src[AX25_MAX_ADDR_LEN], dest[AX25_MAX_ADDR_LEN];
- //char *p;
- //int ssid;
- unsigned char *pinfo;
- int info_len;
-
-
- info_len = ax25_get_info (pp, &pinfo);
-
- sprintf (g_msg_type, "Unknown message type %c", *pinfo);
-
- g_symbol_table = '/';
- g_symbol_code = ' '; /* What should we have for default? */
-
- g_lat = G_UNKNOWN;
- g_lon = G_UNKNOWN;
- strcpy (g_maidenhead, "");
-
- strcpy (g_name, "");
- g_speed = G_UNKNOWN;
- g_course = G_UNKNOWN;
-
- g_power = G_UNKNOWN;
- g_height = G_UNKNOWN;
- g_gain = G_UNKNOWN;
- strcpy (g_directivity, "");
-
- g_range = G_UNKNOWN;
- g_altitude = G_UNKNOWN;
- strcpy(g_mfr, "");
- strcpy(g_mic_e_status, "");
- strcpy(g_freq, "");
- strcpy (g_comment, "");
-
-/*
- * Extract source and destination including the SSID.
- */
-
- ax25_get_addr_with_ssid (pp, AX25_SOURCE, src);
- ax25_get_addr_with_ssid (pp, AX25_DESTINATION, dest);
-
-
- switch (*pinfo) { /* "DTI" data type identifier. */
-
- case '!': /* Position without timestamp (no APRS messaging). */
- /* or Ultimeter 2000 WX Station */
-
- case '=': /* Position without timestamp (with APRS messaging). */
-
- if (strncmp((char*)pinfo, "!!", 2) == 0)
- {
- aprs_ultimeter ((char*)pinfo, info_len);
- }
- else
- {
- aprs_ll_pos (pinfo, info_len);
- }
- break;
-
-
- //case '#': /* Peet Bros U-II Weather station */
- //case '*': /* Peet Bros U-II Weather station */
- //break;
-
- case '$': /* Raw GPS data or Ultimeter 2000 */
-
- if (strncmp((char*)pinfo, "$ULTW", 5) == 0)
- {
- aprs_ultimeter ((char*)pinfo, info_len);
- }
- else
- {
- aprs_raw_nmea (pinfo, info_len);
- }
- break;
-
- case '\'': /* Old Mic-E Data (but Current data for TM-D700) */
- case '`': /* Current Mic-E Data (not used in TM-D700) */
-
- aprs_mic_e (pp, pinfo, info_len);
- break;
-
- case ')': /* Item. */
-
- aprs_item (pinfo, info_len);
- break;
-
- case '/': /* Position with timestamp (no APRS messaging) */
- case '@': /* Position with timestamp (with APRS messaging) */
-
- aprs_ll_pos_time (pinfo, info_len);
- break;
-
-
- case ':': /* Message */
-
- aprs_message (pinfo, info_len);
- break;
-
- case ';': /* Object */
-
- aprs_object (pinfo, info_len);
- break;
-
- case '<': /* Station Capabilities */
-
- aprs_station_capabilities ((char*)pinfo, info_len);
- break;
-
- case '>': /* Status Report */
-
- aprs_status_report ((char*)pinfo, info_len);
- break;
-
- //case '?': /* Query */
- //break;
-
- case 'T': /* Telemetry */
- aprs_telemetry ((char*)pinfo, info_len);
- break;
-
- case '_': /* Positionless Weather Report */
-
- aprs_positionless_weather_report (pinfo, info_len);
- break;
-
- case '{': /* user defined data */
- /* http://www.aprs.org/aprs11/expfmts.txt */
-
- if (strncmp((char*)pinfo, "{tt", 3) == 0) {
- aprs_raw_touch_tone (pinfo, info_len);
- }
- else if (strncmp((char*)pinfo, "{mc", 3) == 0) {
- aprs_morse_code ((char*)pinfo, info_len);
- }
- else {
- //aprs_user_defined (pinfo, info_len);
- }
- break;
-
- case 't': /* Raw touch tone data - NOT PART OF STANDARD */
- /* Used to convey raw touch tone sequences to */
- /* to an application that might want to interpret them. */
- /* Might move into user defined data, above. */
-
- aprs_raw_touch_tone ((char*)pinfo, info_len);
- break;
-
- case 'm': /* Morse Code data - NOT PART OF STANDARD */
- /* Used by APRStt gateway to put audible responses */
- /* into the transmit queue. Could potentially find */
- /* other uses such as CW ID for station. */
- /* Might move into user defined data, above. */
-
- aprs_morse_code ((char*)pinfo, info_len);
- break;
-
- case '}': /* third party header */
-
- third_party_header ((char*)pinfo, info_len);
- break;
-
-
- //case '\r': /* CR or LF? */
- //case '\n':
-
- //break;
-
- default:
-
- break;
- }
-
-
-/*
- * Look in other locations if not found in information field.
- */
-
- if (g_symbol_table == ' ' || g_symbol_code == ' ') {
-
- symbols_from_dest_or_src (*pinfo, src, dest, &g_symbol_table, &g_symbol_code);
- }
-
-/*
- * Application might be in the destination field for most message types.
- * MIC-E format has part of location in the destination field.
- */
-
- switch (*pinfo) { /* "DTI" data type identifier. */
-
- case '\'': /* Old Mic-E Data */
- case '`': /* Current Mic-E Data */
- break;
-
- default:
- decode_tocall (dest);
- break;
- }
-
-/*
- * Print it all out in human readable format.
- */
- print_decoded ();
-}
-
-
-static void print_decoded (void) {
-
- char stemp[200];
- char tmp2[2];
- double absll;
- char news;
- int deg;
- double min;
- char s_lat[30];
- char s_lon[30];
- int n;
- char symbol_description[100];
-
-/*
- * First line has:
- * - message type
- * - object name
- * - symbol
- * - manufacturer/application
- * - mic-e status
- * - power/height/gain, range
- */
- strcpy (stemp, g_msg_type);
-
- if (strlen(g_name) > 0) {
- strcat (stemp, ", \"");
- strcat (stemp, g_name);
- strcat (stemp, "\"");
- }
-
- symbols_get_description (g_symbol_table, g_symbol_code, symbol_description);
- strcat (stemp, ", ");
- strcat (stemp, symbol_description);
-
- if (strlen(g_mfr) > 0) {
- strcat (stemp, ", ");
- strcat (stemp, g_mfr);
- }
-
- if (strlen(g_mic_e_status) > 0) {
- strcat (stemp, ", ");
- strcat (stemp, g_mic_e_status);
- }
-
-
- if (g_power > 0) {
- char phg[100];
-
- sprintf (phg, ", %d W height=%d %ddBi %s", g_power, g_height, g_gain, g_directivity);
- strcat (stemp, phg);
- }
-
- if (g_range > 0) {
- char rng[100];
-
- sprintf (rng, ", range=%.1f", g_range);
- strcat (stemp, rng);
- }
- text_color_set(DW_COLOR_DECODED);
- dw_printf("%s\n", stemp);
-
-/*
- * Second line has:
- * - Latitude
- * - Longitude
- * - speed
- * - direction
- * - altitude
- * - frequency
- */
-
-
-/*
- * Convert Maidenhead locator to latitude and longitude.
- *
- * Any example was checked for each hemihemisphere using
- * http://www.amsat.org/cgi-bin/gridconv
- *
- * Bug: This does not check for invalid values.
- */
-
- if (strlen(g_maidenhead) > 0) {
- dw_printf("Grid square = %s, ", g_maidenhead);
-
- if (g_lat == G_UNKNOWN && g_lon == G_UNKNOWN) {
-
- g_lon = (toupper(g_maidenhead[0]) - 'A') * 20 - 180;
- g_lat = (toupper(g_maidenhead[1]) - 'A') * 10 - 90;
-
- g_lon += (g_maidenhead[2] - '0') * 2;
- g_lat += (g_maidenhead[3] - '0');
-
- if (strlen(g_maidenhead) >=6) {
- g_lon += (toupper(g_maidenhead[4]) - 'A') * 5.0 / 60.0;
- g_lat += (toupper(g_maidenhead[5]) - 'A') * 2.5 / 60.0;
-
- g_lon += 2.5 / 60.0; /* Move from corner to center of square */
- g_lat += 1.25 / 60.0;
- }
- else {
- g_lon += 1.0; /* Move from corner to center of square */
- g_lat += 0.5;
- }
- }
- }
-
- strcpy (stemp, "");
-
- if (g_lat != G_UNKNOWN || g_lon != G_UNKNOWN) {
-
-// Have location but it is posible one part is invalid.
-
- if (g_lat != G_UNKNOWN) {
-
- if (g_lat >= 0) {
- absll = g_lat;
- news = 'N';
- }
- else {
- absll = - g_lat;
- news = 'S';
- }
- deg = (int) absll;
- min = (absll - deg) * 60.0;
- sprintf (s_lat, "%c %02d%s%07.4f", news, deg, CH_DEGREE, min);
- }
- else {
- strcpy (s_lat, "Invalid Latitude");
- }
-
- if (g_lon != G_UNKNOWN) {
-
- if (g_lon >= 0) {
- absll = g_lon;
- news = 'E';
- }
- else {
- absll = - g_lon;
- news = 'W';
- }
- deg = (int) absll;
- min = (absll - deg) * 60.0;
- sprintf (s_lon, "%c %03d%s%07.4f", news, deg, CH_DEGREE, min);
- }
- else {
- strcpy (s_lon, "Invalid Longitude");
- }
-
- sprintf (stemp, "%s, %s", s_lat, s_lon);
- }
-
- if (g_speed != G_UNKNOWN) {
- char spd[20];
-
- if (strlen(stemp) > 0) strcat (stemp, ", ");
- sprintf (spd, "%.0f MPH", g_speed);
- strcat (stemp, spd);
- };
-
- if (g_course != G_UNKNOWN) {
- char cse[20];
-
- if (strlen(stemp) > 0) strcat (stemp, ", ");
- sprintf (cse, "course %.0f", g_course);
- strcat (stemp, cse);
- };
-
- if (g_altitude != G_UNKNOWN) {
- char alt[20];
-
- if (strlen(stemp) > 0) strcat (stemp, ", ");
- sprintf (alt, "alt %.0f ft", g_altitude);
- strcat (stemp, alt);
- };
-
- if (strlen(g_freq) > 0) {
- strcat (stemp, ", ");
- strcat (stemp, g_freq);
- }
-
-
- if (strlen (stemp) > 0) {
- text_color_set(DW_COLOR_DECODED);
- dw_printf("%s\n", stemp);
- }
-
-
-/*
- * Third line has:
- * - comment or weather
- *
- * Non-printable characters are changed to safe hexadecimal representations.
- * For example, carriage return is displayed as <0x0d>.
- *
- * Drop annoying trailing CR LF. Anyone who cares can see it in the raw data.
- */
-
- n = strlen(g_comment);
- if (n >= 1 && g_comment[n-1] == '\n') {
- g_comment[n-1] = '\0';
- n--;
- }
- if (n >= 1 && g_comment[n-1] == '\r') {
- g_comment[n-1] = '\0';
- n--;
- }
- if (n > 0) {
- int j;
-
- ax25_safe_print (g_comment, -1, 0);
- dw_printf("\n");
-
-/*
- * Point out incorrect attempts a degree symbol.
- * 0xb0 is degree in ISO Latin1.
- * To be part of a valid UTF-8 sequence, it would need to be preceded by 11xxxxxx or 10xxxxxx.
- * 0xf8 is degree in Microsoft code page 437.
- * To be part of a valid UTF-8 sequence, it would need to be followed by 10xxxxxx.
- */
- for (j=0; jpos.lat[0]))) /* Human-readable location. */
- {
- decode_position (&(p->pos));
-
- if (g_symbol_code == '_') {
- /* Symbol code indidates it is a weather report. */
- /* In this case, we expect 7 byte "data extension" */
- /* for the wind direction and speed. */
-
- strcpy (g_msg_type, "Weather Report");
- weather_data (p->comment, TRUE);
- }
- else {
- /* Regular position report. */
-
- data_extension_comment (p->comment);
- }
- }
- else /* Compressed location. */
- {
- decode_compressed_position (&(q->cpos));
-
- if (g_symbol_code == '_') {
- /* Symbol code indidates it is a weather report. */
- /* In this case, the wind direction and speed are in the */
- /* compressed data so we don't expect a 7 byte "data */
- /* extension" for them. */
-
- strcpy (g_msg_type, "Weather Report");
- weather_data (q->comment, FALSE);
- }
- else {
- /* Regular position report. */
-
- process_comment (q->comment, -1);
- }
- }
-
-
-}
-
-
-
-/*------------------------------------------------------------------
- *
- * Function: aprs_ll_pos_time
- *
- * Purpose: Decode "Lat/Long Position Report - with Timestamp"
- *
- * Reports sent with a timestamp might contain very old information.
- *
- * Otherwise, same as above.
- *
- * Inputs: info - Pointer to Information field.
- * ilen - Information field length.
- *
- * Outputs: g_lat, g_lon, g_symbol_table, g_symbol_code, g_speed, g_course, g_altitude.
- *
- * Description: Type identifier '@' has APRS messaging.
- * Type identifier '/' does not have APRS messaging.
- *
- * The location can be in either compressed or human-readable form.
- *
- * When the symbol code is '_' this is a weather report.
- *
- * Examples: @041025z4232.32N/07058.81W_124/000g000t036r000p000P000b10229h65/wx rpt
- * @281621z4237.55N/07120.20W_017/002g006t022r000p000P000h85b10195.Dvs
- * /092345z4903.50N/07201.75W>Test1234
- *
- * I think the symbol code of "_" indicates weather report.
- *
- * (?) Special case, DF report when sym table id = '/' and symbol code = '\'.
- *
- * @092345z4903.50N/07201.75W\088/036/270/729
- * /092345z4903.50N/07201.75W\000/000/270/729
- *
- *------------------------------------------------------------------*/
-
-
-
-static void aprs_ll_pos_time (unsigned char *info, int ilen)
-{
-
- struct aprs_ll_pos_time_s {
- char dti; /* / or @ */
- char time_stamp[7];
- position_t pos;
- char comment[43]; /* First 7 bytes could be data extension. */
- } *p;
-
- struct aprs_compressed_pos_time_s {
- char dti; /* / or @ */
- char time_stamp[7];
- compressed_position_t cpos;
- char comment[40]; /* No data extension in this case. */
- } *q;
-
-
- strcpy (g_msg_type, "Position with time");
-
- time_t ts = 0;
-
-
- p = (struct aprs_ll_pos_time_s *)info;
- q = (struct aprs_compressed_pos_time_s *)info;
-
-
- if (isdigit((unsigned char)(p->pos.lat[0]))) /* Human-readable location. */
- {
- ts = get_timestamp (p->time_stamp);
- decode_position (&(p->pos));
-
- if (g_symbol_code == '_') {
- /* Symbol code indidates it is a weather report. */
- /* In this case, we expect 7 byte "data extension" */
- /* for the wind direction and speed. */
-
- strcpy (g_msg_type, "Weather Report");
- weather_data (p->comment, TRUE);
- }
- else {
- /* Regular position report. */
-
- data_extension_comment (p->comment);
- }
- }
- else /* Compressed location. */
- {
- ts = get_timestamp (p->time_stamp);
-
- decode_compressed_position (&(q->cpos));
-
- if (g_symbol_code == '_') {
- /* Symbol code indidates it is a weather report. */
- /* In this case, the wind direction and speed are in the */
- /* compressed data so we don't expect a 7 byte "data */
- /* extension" for them. */
-
- strcpy (g_msg_type, "Weather Report");
- weather_data (q->comment, FALSE);
- }
- else {
- /* Regular position report. */
-
- process_comment (q->comment, -1);
- }
- }
-
-}
-
-
-/*------------------------------------------------------------------
- *
- * Function: aprs_raw_nmea
- *
- * Purpose: Decode "Raw NMEA Position Report"
- *
- * Inputs: info - Pointer to Information field.
- * ilen - Information field length.
- *
- * Outputs: ??? TBD
- *
- * Description: APRS recognizes raw ASCII data strings conforming to the NMEA 0183
- * Version 2.0 specification, originating from navigation equipment such
- * as GPS and LORAN receivers. It is recommended that APRS stations
- * interpret at least the following NMEA Received Sentence types:
- *
- * GGA Global Positioning System Fix Data
- * GLL Geographic Position, Latitude/Longitude Data
- * RMC Recommended Minimum Specific GPS/Transit Data
- * VTG Velocity and Track Data
- * WPL Way Point Location
- *
- * Examples: $GPGGA,102705,5157.9762,N,00029.3256,W,1,04,2.0,75.7,M,47.6,M,,*62
- * $GPGLL,2554.459,N,08020.187,W,154027.281,A
- * $GPRMC,063909,A,3349.4302,N,11700.3721,W,43.022,89.3,291099,13.6,E*52
- * $GPVTG,318.7,T,,M,35.1,N,65.0,K*69
- *
- *
- *------------------------------------------------------------------*/
-
-static void nmea_checksum (char *sent)
-{
- char *p;
- char *next;
- unsigned char cs;
-
-
-// Do we have valid checksum?
-
- cs = 0;
- for (p = sent+1; *p != '*' && *p != '\0'; p++) {
- cs ^= *p;
- }
-
- p = strchr (sent, '*');
- if (p == NULL) {
- text_color_set (DW_COLOR_INFO);
- dw_printf("Missing GPS checksum.\n");
- return;
- }
- if (cs != strtoul(p+1, NULL, 16)) {
- text_color_set (DW_COLOR_ERROR);
- dw_printf("GPS checksum error. Expected %02x but found %s.\n", cs, p+1);
- return;
- }
- *p = '\0'; // Remove the checksum.
-}
-
-static void aprs_raw_nmea (unsigned char *info, int ilen)
-{
- char stemp[256];
- char *ptype;
- char *next;
-
-
- strcpy (g_msg_type, "Raw NMEA");
-
- strncpy (stemp, (char *)info, ilen);
- stemp[ilen] = '\0';
- nmea_checksum (stemp);
-
- next = stemp;
- ptype = strsep(&next, ",");
-
- if (strcmp(ptype, "$GPGGA") == 0)
- {
- char *ptime; /* Time, hhmmss[.sss] */
- char *plat; /* Latitude */
- char *pns; /* North/South */
- char *plon; /* Longitude */
- char *pew; /* East/West */
- char *pquality; /* Fix Quality: 0=invalid, 1=GPS, 2=DGPS */
- char *pnsat; /* Number of satellites. */
- char *phdop; /* Horizontal dilution of precision. */
- char *paltitude; /* Altitude, meters above mean sea level. */
- char *pm; /* "M" = meters */
- /* Various other stuff... */
-
-
- ptime = strsep(&next, ",");
- plat = strsep(&next, ",");
- pns = strsep(&next, ",");
- plon = strsep(&next, ",");
- pew = strsep(&next, ",");
- pquality = strsep(&next, ",");
- pnsat = strsep(&next, ",");
- phdop = strsep(&next, ",");
- paltitude = strsep(&next, ",");
- pm = strsep(&next, ",");
-
- /* Process time??? */
-
- if (plat != NULL && strlen(plat) > 0) {
- g_lat = get_latitude_nmea(plat, pns);
- }
- if (plon != NULL && strlen(plon) > 0) {
- g_lon = get_longitude_nmea(plon, pew);
- }
- if (paltitude != NULL && strlen(paltitude) > 0) {
- g_altitude = METERS_TO_FEET(atof(paltitude));
- }
- }
- else if (strcmp(ptype, "$GPGLL") == 0)
- {
- char *plat; /* Latitude */
- char *pns; /* North/South */
- char *plon; /* Longitude */
- char *pew; /* East/West */
- /* optional Time hhmmss[.sss] */
- /* optional 'A' for data valid */
-
- plat = strsep(&next, ",");
- pns = strsep(&next, ",");
- plon = strsep(&next, ",");
- pew = strsep(&next, ",");
-
- if (plat != NULL && strlen(plat) > 0) {
- g_lat = get_latitude_nmea(plat, pns);
- }
- if (plon != NULL && strlen(plon) > 0) {
- g_lon = get_longitude_nmea(plon, pew);
- }
-
- }
- else if (strcmp(ptype, "$GPRMC") == 0)
- {
- //char *ptime, *pstatus, *plat, *pns, *plon, *pew, *pspeed, *ptrack, *pdate;
-
- char *ptime; /* Time, hhmmss[.sss] */
- char *pstatus; /* Status, A=Active (valid position), V=Void */
- char *plat; /* Latitude */
- char *pns; /* North/South */
- char *plon; /* Longitude */
- char *pew; /* East/West */
- char *pknots; /* Speed over ground, knots. */
- char *pcourse; /* True course, degrees. */
- char *pdate; /* Date, ddmmyy */
- /* Magnetic variation */
- /* In version 3.00, mode is added: A D E N (see below) */
- /* Checksum */
-
- ptime = strsep(&next, ",");
- pstatus = strsep(&next, ",");
- plat = strsep(&next, ",");
- pns = strsep(&next, ",");
- plon = strsep(&next, ",");
- pew = strsep(&next, ",");
- pknots = strsep(&next, ",");
- pcourse = strsep(&next, ",");
- pdate = strsep(&next, ",");
-
- /* process time ??? date ??? */
-
- if (plat != NULL && strlen(plat) > 0) {
- g_lat = get_latitude_nmea(plat, pns);
- }
- if (plon != NULL && strlen(plon) > 0) {
- g_lon = get_longitude_nmea(plon, pew);
- }
- if (pknots != NULL && strlen(pknots) > 0) {
- g_speed = KNOTS_TO_MPH(atof(pknots));
- }
- if (pcourse != NULL && strlen(pcourse) > 0) {
- g_course = atof(pcourse);
- }
- }
- else if (strcmp(ptype, "$GPVTG") == 0)
- {
-
- /* Speed and direction but NO location! */
-
- char *ptcourse; /* True course, degrees. */
- char *pt; /* "T" */
- char *pmcourse; /* Magnetic course, degrees. */
- char *pm; /* "M" */
- char *pknots; /* Ground speed, knots. */
- char *pn; /* "N" = Knots */
- char *pkmh; /* Ground speed, km/hr */
- char *pk; /* "K" = Kilometers per hour */
- char *pmode; /* New in NMEA 0183 version 3.0 */
- /* Mode: A=Autonomous, D=Differential, */
-
- ptcourse = strsep(&next, ",");
- pt = strsep(&next, ",");
- pmcourse = strsep(&next, ",");
- pm = strsep(&next, ",");
- pknots = strsep(&next, ",");
- pn = strsep(&next, ",");
- pkmh = strsep(&next, ",");
- pk = strsep(&next, ",");
- pmode = strsep(&next, ",");
-
- if (pknots != NULL && strlen(pknots) > 0) {
- g_speed = KNOTS_TO_MPH(atof(pknots));
- }
- if (ptcourse != NULL && strlen(ptcourse) > 0) {
- g_course = atof(ptcourse);
- }
-
- }
- else if (strcmp(ptype, "$GPWPL") == 0)
- {
- //char *plat, *pns, *plon, *pew, *pident;
-
- char *plat; /* Latitude */
- char *pns; /* North/South */
- char *plon; /* Longitude */
- char *pew; /* East/West */
- char *pident; /* Identifier for Waypoint. rules??? */
- /* checksum */
-
- plat = strsep(&next, ",");
- pns = strsep(&next, ",");
- plon = strsep(&next, ",");
- pew = strsep(&next, ",");
- pident = strsep(&next, ",");
-
- if (plat != NULL && strlen(plat) > 0) {
- g_lat = get_latitude_nmea(plat, pns);
- }
- if (plon != NULL && strlen(plon) > 0) {
- g_lon = get_longitude_nmea(plon, pew);
- }
-
- /* do something with identifier? */
-
- }
-}
-
-
-
-/*------------------------------------------------------------------
- *
- * Function: aprs_mic_e
- *
- * Purpose: Decode MIC-E (also Kenwood D7 & D700) packet.
- *
- * Inputs: info - Pointer to Information field.
- * ilen - Information field length.
- *
- * Outputs:
- *
- * Description:
- *
- * Destination Address Field —
- *
- * The 7-byte Destination Address field contains
- * the following encoded information:
- *
- * * The 6 latitude digits.
- * * A 3-bit Mic-E message identifier, specifying one of 7 Standard Mic-E
- * Message Codes or one of 7 Custom Message Codes or an Emergency
- * Message Code.
- * * The North/South and West/East Indicators.
- * * The Longitude Offset Indicator.
- * * The generic APRS digipeater path code.
- *
- * "Although the destination address appears to be quite unconventional, it is
- * still a valid AX.25 address, consisting only of printable 7-bit ASCII values."
- *
- * References: Mic-E TYPE CODES -- http://www.aprs.org/aprs12/mic-e-types.txt
- *
- * Mic-E TEST EXAMPLES -- http://www.aprs.org/aprs12/mic-e-examples.txt
- *
- * Examples: `b9Z!4y>/>"4N}Paul's_TH-D7
- *
- * TODO: Destination SSID can contain generic digipeater path.
- *
- * Bugs: Doesn't handle ambiguous position. "space" treated as zero.
- * Invalid data results in a message but latitude is not set to unknown.
- *
- *------------------------------------------------------------------*/
-
-static int mic_e_digit (char c, int mask, int *std_msg, int *cust_msg)
-{
-
- if (c >= '0' && c <= '9') {
- return (c - '0');
- }
-
- if (c >= 'A' && c <= 'J') {
- *cust_msg |= mask;
- return (c - 'A');
- }
-
- if (c >= 'P' && c <= 'Y') {
- *std_msg |= mask;
- return (c - 'P');
- }
-
- /* K, L, Z should be converted to space. */
- /* others are invalid. */
- /* But caller expects only values 0 - 9. */
-
- if (c == 'K') {
- *cust_msg |= mask;
- return (0);
- }
-
- if (c == 'L') {
- return (0);
- }
-
- if (c == 'Z') {
- *std_msg |= mask;
- return (0);
- }
-
- text_color_set(DW_COLOR_ERROR);
- dw_printf("Invalid character \"%c\" in MIC-E destination/latitude.\n", c);
-
- return (0);
-}
-
-
-static void aprs_mic_e (packet_t pp, unsigned char *info, int ilen)
-{
- struct aprs_mic_e_s {
- char dti; /* ' or ` */
- unsigned char lon[3]; /* "d+28", "m+28", "h+28" */
- unsigned char speed_course[3];
- char symbol_code;
- char sym_table_id;
- } *p;
-
- char dest[10];
- int ch;
- int n;
- int offset;
- int std_msg = 0;
- int cust_msg = 0;
- const char *std_text[8] = {"Emergency", "Priority", "Special", "Committed", "Returning", "In Service", "En Route", "Off Duty" };
- const char *cust_text[8] = {"Emergency", "Custom-6", "Custom-5", "Custom-4", "Custom-3", "Custom-2", "Custom-1", "Custom-0" };
- unsigned char *pfirst, *plast;
-
- strcpy (g_msg_type, "MIC-E");
-
- p = (struct aprs_mic_e_s *)info;
-
-/* Destination is really latitude of form ddmmhh. */
-/* Message codes are buried in the first 3 digits. */
-
- ax25_get_addr_with_ssid (pp, AX25_DESTINATION, dest);
-
- g_lat = mic_e_digit(dest[0], 4, &std_msg, &cust_msg) * 10 +
- mic_e_digit(dest[1], 2, &std_msg, &cust_msg) +
- (mic_e_digit(dest[2], 1, &std_msg, &cust_msg) * 1000 +
- mic_e_digit(dest[3], 0, &std_msg, &cust_msg) * 100 +
- mic_e_digit(dest[4], 0, &std_msg, &cust_msg) * 10 +
- mic_e_digit(dest[5], 0, &std_msg, &cust_msg)) / 6000.0;
-
-
-/* 4th character of desination indicates north / south. */
-
- if ((dest[3] >= '0' && dest[3] <= '9') || dest[3] == 'L') {
- /* South */
- g_lat = ( - g_lat);
- }
- else if (dest[3] >= 'P' && dest[3] <= 'Z')
- {
- /* North */
- }
- else
- {
- text_color_set(DW_COLOR_ERROR);
- dw_printf("Invalid MIC-E N/S encoding in 4th character of destination.\n");
- }
-
-
-/* Longitude is mostly packed into 3 bytes of message but */
-/* has a couple bits of information in the destination. */
-
- if ((dest[4] >= '0' && dest[4] <= '9') || dest[4] == 'L')
- {
- offset = 0;
- }
- else if (dest[4] >= 'P' && dest[4] <= 'Z')
- {
- offset = 1;
- }
- else
- {
- offset = 0;
- text_color_set(DW_COLOR_ERROR);
- dw_printf("Invalid MIC-E Longitude Offset in 5th character of destination.\n");
- }
-
-/* First character of information field is longitude in degrees. */
-/* It is possible for the unprintable DEL character to occur here. */
-
-/* 5th character of desination indicates longitude offset of +100. */
-/* Not quite that simple :-( */
-
- ch = p->lon[0];
-
- if (offset && ch >= 118 && ch <= 127)
- {
- g_lon = ch - 118; /* 0 - 9 degrees */
- }
- else if ( ! offset && ch >= 38 && ch <= 127)
- {
- g_lon = (ch - 38) + 10; /* 10 - 99 degrees */
- }
- else if (offset && ch >= 108 && ch <= 117)
- {
- g_lon = (ch - 108) + 100; /* 100 - 109 degrees */
- }
- else if (offset && ch >= 38 && ch <= 107)
- {
- g_lon = (ch - 38) + 110; /* 110 - 179 degrees */
- }
- else
- {
- g_lon = G_UNKNOWN;
- text_color_set(DW_COLOR_ERROR);
- dw_printf("Invalid character 0x%02x for MIC-E Longitude Degrees.\n", ch);
- }
-
-/* Second character of information field is g_longitude minutes. */
-/* These are all printable characters. */
-
-/*
- * More than once I've see the TH-D72A put <0x1a> here and flip between north and south.
- *
- * WB2OSZ>TRSW1R,WIDE1-1,WIDE2-2:`c0ol!O[/>=<0x0d>
- * N 42 37.1200, W 071 20.8300, 0 MPH, course 151
- *
- * WB2OSZ>TRS7QR,WIDE1-1,WIDE2-2:`v<0x1a>n<0x1c>"P[/>=<0x0d>
- * Invalid character 0x1a for MIC-E Longitude Minutes.
- * S 42 37.1200, Invalid Longitude, 0 MPH, course 252
- *
- * This was direct over the air with no opportunity for a digipeater
- * or anything else to corrupt the message.
- */
-
- if (g_lon != G_UNKNOWN)
- {
- ch = p->lon[1];
-
- if (ch >= 88 && ch <= 97)
- {
- g_lon += (ch - 88) / 60.0; /* 0 - 9 minutes*/
- }
- else if (ch >= 38 && ch <= 87)
- {
- g_lon += ((ch - 38) + 10) / 60.0; /* 10 - 59 minutes */
- }
- else {
- g_lon = G_UNKNOWN;
- text_color_set(DW_COLOR_ERROR);
- dw_printf("Invalid character 0x%02x for MIC-E Longitude Minutes.\n", ch);
- }
-
-/* Third character of information field is longitude hundredths of minutes. */
-/* There are 100 possible values, from 0 to 99. */
-/* Note that the range includes 4 unprintable control characters and DEL. */
-
- if (g_lon != G_UNKNOWN)
- {
- ch = p->lon[2];
-
- if (ch >= 28 && ch <= 127)
- {
- g_lon += ((ch - 28) + 0) / 6000.0; /* 0 - 99 hundredths of minutes*/
- }
- else {
- g_lon = G_UNKNOWN;
- text_color_set(DW_COLOR_ERROR);
- dw_printf("Invalid character 0x%02x for MIC-E Longitude hundredths of Minutes.\n", ch);
- }
- }
- }
-
-/* 6th character of destintation indicates east / west. */
-
- if ((dest[5] >= '0' && dest[5] <= '9') || dest[5] == 'L') {
- /* East */
- }
- else if (dest[5] >= 'P' && dest[5] <= 'Z')
- {
- /* West */
- if (g_lon != G_UNKNOWN) {
- g_lon = ( - g_lon);
- }
- }
- else
- {
- text_color_set(DW_COLOR_ERROR);
- dw_printf("Invalid MIC-E E/W encoding in 6th character of destination.\n");
- }
-
-/* Symbol table and codes like everyone else. */
-
- g_symbol_table = p->sym_table_id;
- g_symbol_code = p->symbol_code;
-
- if (g_symbol_table != '/' && g_symbol_table != '\\'
- && ! isupper(g_symbol_table) && ! isdigit(g_symbol_table))
- {
- text_color_set(DW_COLOR_ERROR);
- dw_printf("Invalid symbol table code not one of / \\ A-Z 0-9\n");
- g_symbol_table = '/';
- }
-
-/* Message type from two 3-bit codes. */
-
- if (std_msg == 0 && cust_msg == 0) {
- strcpy (g_mic_e_status, "Emergency");
- }
- else if (std_msg == 0 && cust_msg != 0) {
- strcpy (g_mic_e_status, cust_text[cust_msg]);
- }
- else if (std_msg != 0 && cust_msg == 0) {
- strcpy (g_mic_e_status, std_text[std_msg]);
- }
- else {
- strcpy (g_mic_e_status, "Unknown MIC-E Message Type");
- }
-
-/* Speed and course from next 3 bytes. */
-
- n = ((p->speed_course[0] - 28) * 10) + ((p->speed_course[1] - 28) / 10);
- if (n >= 800) n -= 800;
-
- g_speed = KNOTS_TO_MPH(n);
-
- n = ((p->speed_course[1] - 28) % 10) * 100 + (p->speed_course[2] - 28);
- if (n >= 400) n -= 400;
-
- /* Result is 0 for unknown and 1 - 360 where 360 is north. */
- /* Convert to 0 - 360 and reserved value for unknown. */
-
- if (n == 0)
- g_course = G_UNKNOWN;
- else if (n == 360)
- g_course = 0;
- else
- g_course = n;
-
-
-/* Now try to pick out manufacturer and other optional items. */
-/* The telemetry field, in the original spec, is no longer used. */
-
- pfirst = info + sizeof(struct aprs_mic_e_s);
- plast = info + ilen - 1;
-
-/* Carriage return character at the end is not mentioned in spec. */
-/* Remove if found because it messes up extraction of manufacturer. */
-
- if (*plast == '\r') plast--;
-
- if (*pfirst == ' ' || *pfirst == '>' || *pfirst == ']' || *pfirst == '`' || *pfirst == '\'') {
-
- if (*pfirst == ' ') { strcpy (g_mfr, "Original MIC-E"); pfirst++; }
-
- else if (*pfirst == '>' && *plast == '=') { strcpy (g_mfr, "Kenwood TH-D72"); pfirst++; plast--; }
- else if (*pfirst == '>') { strcpy (g_mfr, "Kenwood TH-D7A"); pfirst++; }
-
- else if (*pfirst == ']' && *plast == '=') { strcpy (g_mfr, "Kenwood TM-D710"); pfirst++; plast--; }
- else if (*pfirst == ']') { strcpy (g_mfr, "Kenwood TM-D700"); pfirst++; }
-
- else if (*pfirst == '`' && *(plast-1) == '_' && *plast == ' ') { strcpy (g_mfr, "Yaesu VX-8"); pfirst++; plast-=2; }
- else if (*pfirst == '`' && *(plast-1) == '_' && *plast == '"') { strcpy (g_mfr, "Yaesu FTM-350"); pfirst++; plast-=2; }
- else if (*pfirst == '`' && *(plast-1) == '_' && *plast == '#') { strcpy (g_mfr, "Yaesu VX-8G"); pfirst++; plast-=2; }
- else if (*pfirst == '\'' && *(plast-1) == '|' && *plast == '3') { strcpy (g_mfr, "Byonics TinyTrack3"); pfirst++; plast-=2; }
- else if (*pfirst == '\'' && *(plast-1) == '|' && *plast == '4') { strcpy (g_mfr, "Byonics TinyTrack4"); pfirst++; plast-=2; }
-
- else if (*(plast-1) == '\\') { strcpy (g_mfr, "Hamhud ?"); pfirst++; plast-=2; }
- else if (*(plast-1) == '/') { strcpy (g_mfr, "Argent ?"); pfirst++; plast-=2; }
- else if (*(plast-1) == '^') { strcpy (g_mfr, "HinzTec anyfrog"); pfirst++; plast-=2; }
- else if (*(plast-1) == '~') { strcpy (g_mfr, "OTHER"); pfirst++; plast-=2; }
-
- else if (*pfirst == '`') { strcpy (g_mfr, "Mic-Emsg"); pfirst++; plast-=2; }
- else if (*pfirst == '\'') { strcpy (g_mfr, "McTrackr"); pfirst++; plast-=2; }
- }
-
-/*
- * An optional altitude is next.
- * It is three base-91 digits followed by "}".
- * The TM-D710A might have encoding bug. This was observed:
- *
- * KJ4ETP-9>SUUP9Q,KE4OTZ-3,WIDE1*,WIDE2-1,qAR,KI4HDU-2:`oV$n6:>/]"7&}162.475MHz clintserman@gmail=
- * N 35 50.9100, W 083 58.0800, 25 MPH, course 230, alt 945 ft, 162.475MHz
- *
- * KJ4ETP-9>SUUP6Y,GRNTOP-3*,WIDE2-1,qAR,KI4HDU-2:`oU~nT >/]<0x9a>xt}162.475MHz clintserman@gmail=
- * Invalid character in MIC-E altitude. Must be in range of '!' to '{'.
- * N 35 50.6900, W 083 57.9800, 29 MPH, course 204, alt 3280843 ft, 162.475MHz
- *
- * KJ4ETP-9>SUUP6Y,N4NEQ-3,K4EGA-1,WIDE2*,qAS,N5CWH-1:`oU~nT >/]?xt}162.475MHz clintserman@gmail=
- * N 35 50.6900, W 083 57.9800, 29 MPH, course 204, alt 808497 ft, 162.475MHz
- *
- * KJ4ETP-9>SUUP2W,KE4OTZ-3,WIDE1*,WIDE2-1,qAR,KI4HDU-2:`oV2o"J>/]"7)}162.475MHz clintserman@gmail=
- * N 35 50.2700, W 083 58.2200, 35 MPH, course 246, alt 955 ft, 162.475MHz
- *
- * Note the <0x9a> which is outside of the 7-bit ASCII range. Clearly very wrong.
- */
-
- if (plast > pfirst && pfirst[3] == '}') {
-
- g_altitude = METERS_TO_FEET((pfirst[0]-33)*91*91 + (pfirst[1]-33)*91 + (pfirst[2]-33) - 10000);
-
- if (pfirst[0] < '!' || pfirst[0] > '{' ||
- pfirst[1] < '!' || pfirst[1] > '{' ||
- pfirst[2] < '!' || pfirst[2] > '{' )
- {
- text_color_set(DW_COLOR_ERROR);
- dw_printf("Invalid character in MIC-E altitude. Must be in range of '!' to '{'.\n");
- dw_printf("Bogus altitude of %.0f changed to unknown.\n", g_altitude);
- g_altitude = G_UNKNOWN;
- }
-
- pfirst += 4;
- }
-
- process_comment ((char*)pfirst, (int)(plast - pfirst) + 1);
-
-}
-
-
-/*------------------------------------------------------------------
- *
- * Function: aprs_message
- *
- * Purpose: Decode "Message Format"
- *
- * Inputs: info - Pointer to Information field.
- * ilen - Information field length.
- *
- * Outputs: ??? TBD
- *
- * Description: An APRS message is a text string with a specifed addressee.
- *
- * It's a lot more complicated with different types of addressees
- * and replies with acknowledgement or rejection.
- *
- * Displaying and logging these messages could be useful.
- *
- * Examples:
- *
- *
- *------------------------------------------------------------------*/
-
-static void aprs_message (unsigned char *info, int ilen)
-{
-
- struct aprs_message_s {
- char dti; /* : */
- char addressee[9];
- char colon; /* : */
- char message[73]; /* 0-67 characters for message */
- /* { followed by 1-5 characters for message number */
- } *p;
-
-
- p = (struct aprs_message_s *)info;
-
- sprintf (g_msg_type, "APRS Message for \"%9.9s\"", p->addressee);
-
- /* No location so don't use process_comment () */
-
- strcpy (g_comment, p->message);
-
-}
-
-
-
-/*------------------------------------------------------------------
- *
- * Function: aprs_object
- *
- * Purpose: Decode "Object Report Format"
- *
- * Inputs: info - Pointer to Information field.
- * ilen - Information field length.
- *
- * Outputs: g_object_name, g_lat, g_lon, g_symbol_table, g_symbol_code, g_speed, g_course, g_altitude.
- *
- * Description: Message has a 9 character object name which could be quite different than
- * the source station.
- *
- * This can also be a weather report when the symbol id is '_'.
- *
- * Examples: ;WA2PNU *050457z4051.72N/07325.53W]BBS & FlexNet 145.070 MHz
- *
- * ;ActonEOC *070352z4229.20N/07125.95WoFire, EMS, Police, Heli-pad, Dial 911
- *
- * ;IRLPC494@*012112zI9*n*
- *
- *------------------------------------------------------------------*/
-
-static void aprs_object (unsigned char *info, int ilen)
-{
-
- struct aprs_object_s {
- char dti; /* ; */
- char name[9];
- char live_killed; /* * for live or _ for killed */
- char time_stamp[7];
- position_t pos;
- char comment[43]; /* First 7 bytes could be data extension. */
- } *p;
-
- struct aprs_compressed_object_s {
- char dti; /* ; */
- char name[9];
- char live_killed; /* * for live or _ for killed */
- char time_stamp[7];
- compressed_position_t cpos;
- char comment[40]; /* No data extension in this case. */
- } *q;
-
-
- time_t ts = 0;
- int i;
-
-
- p = (struct aprs_object_s *)info;
- q = (struct aprs_compressed_object_s *)info;
-
- strncpy (g_name, p->name, 9);
- g_name[9] = '\0';
- i = strlen(g_name) - 1;
- while (i >= 0 && g_name[i] == ' ') {
- g_name[i--] = '\0';
- }
-
- if (p->live_killed == '*')
- strcpy (g_msg_type, "Object");
- else if (p->live_killed == '_')
- strcpy (g_msg_type, "Killed Object");
- else
- strcpy (g_msg_type, "Object - invalid live/killed");
-
- ts = get_timestamp (p->time_stamp);
-
- if (isdigit((unsigned char)(p->pos.lat[0]))) /* Human-readable location. */
- {
- decode_position (&(p->pos));
-
- if (g_symbol_code == '_') {
- /* Symbol code indidates it is a weather report. */
- /* In this case, we expect 7 byte "data extension" */
- /* for the wind direction and speed. */
-
- strcpy (g_msg_type, "Weather Report with Object");
- weather_data (p->comment, TRUE);
- }
- else {
- /* Regular object. */
-
- data_extension_comment (p->comment);
- }
- }
- else /* Compressed location. */
- {
- decode_compressed_position (&(q->cpos));
-
- if (g_symbol_code == '_') {
- /* Symbol code indidates it is a weather report. */
- /* The spec doesn't explicitly mention the combination */
- /* of weather report and object with compressed */
- /* position. */
-
- strcpy (g_msg_type, "Weather Report with Object");
- weather_data (q->comment, FALSE);
- }
- else {
- /* Regular position report. */
-
- process_comment (q->comment, -1);
- }
- }
-
-}
-
-
-/*------------------------------------------------------------------
- *
- * Function: aprs_item
- *
- * Purpose: Decode "Item Report Format"
- *
- * Inputs: info - Pointer to Information field.
- * ilen - Information field length.
- *
- * Outputs: g_object_name, g_lat, g_lon, g_symbol_table, g_symbol_code, g_speed, g_course, g_altitude.
- *
- * Description: An "item" is very much like an "object" except
- *
- * -- It doesn't have a time.
- * -- Name is a VARIABLE length 3 to 9 instead of fixed 9.
- * -- "live" indicator is ! rather than *
- *
- * Examples:
- *
- *------------------------------------------------------------------*/
-
-static void aprs_item (unsigned char *info, int ilen)
-{
-
- struct aprs_item_s {
- char dti; /* ) */
- char name[9]; /* Actually variable length 3 - 9 bytes. */
- char live_killed; /* ! for live or _ for killed */
- position_t pos;
- char comment[43]; /* First 7 bytes could be data extension. */
- } *p;
-
- struct aprs_compressed_item_s {
- char dti; /* ) */
- char name[9]; /* Actually variable length 3 - 9 bytes. */
- char live_killed; /* ! for live or _ for killed */
- compressed_position_t cpos;
- char comment[40]; /* No data extension in this case. */
- } *q;
-
-
- time_t ts = 0;
- int i;
- char *ppos;
-
-
- p = (struct aprs_item_s *)info;
- q = (struct aprs_compressed_item_s *)info;
-
- i = 0;
- while (i < 9 && p->name[i] != '!' && p->name[i] != '_') {
- g_name[i] = p->name[i];
- i++;
- g_name[i] = '\0';
- }
-
- if (p->name[i] == '!')
- strcpy (g_msg_type, "Item");
- else if (p->name[i] == '_')
- strcpy (g_msg_type, "Killed Item");
- else {
- text_color_set(DW_COLOR_ERROR);
- dw_printf("Item name too long or not followed by ! or _.\n");
- strcpy (g_msg_type, "Object - invalid live/killed");
- }
-
- ppos = p->name + i + 1;
-
- if (isdigit(*ppos)) /* Human-readable location. */
- {
- decode_position ((position_t*) ppos);
-
- data_extension_comment (ppos + sizeof(position_t));
- }
- else /* Compressed location. */
- {
- decode_compressed_position ((compressed_position_t*)ppos);
-
- process_comment (ppos + sizeof(compressed_position_t), -1);
- }
-
-}
-
-
-/*------------------------------------------------------------------
- *
- * Function: aprs_station_capabilities
- *
- * Purpose: Decode "Station Capabilities"
- *
- * Inputs: info - Pointer to Information field.
- * ilen - Information field length.
- *
- * Outputs: ???
- *
- * Description: Each capability is a TOKEN or TOKEN=VALUE pair.
- *
- *
- * Example:
- *
- * Bugs: Not implemented yet. Treat whole thing as comment.
- *
- *------------------------------------------------------------------*/
-
-static void aprs_station_capabilities (char *info, int ilen)
-{
-
- strcpy (g_msg_type, "Station Capabilities");
-
- // Is process_comment() applicable?
-
- strcpy (g_comment, info+1);
-}
-
-
-
-
-/*------------------------------------------------------------------
- *
- * Function: aprs_status_report
- *
- * Purpose: Decode "Status Report"
- *
- * Inputs: info - Pointer to Information field.
- * ilen - Information field length.
- *
- * Outputs: ???
- *
- * Description: There are 3 different formats:
- *
- * (1) '>'
- * 7 char - timestamp, DHM z format
- * 0-55 char - status text
- *
- * (3) '>'
- * 4 or 6 char - Maidenhead Locator
- * 2 char - symbol table & code
- * ' ' character
- * 0-53 char - status text
- *
- * (2) '>'
- * 0-62 char - status text
- *
- *
- * In all cases, Beam heading and ERP can be at the
- * very end by using '^' and two other characters.
- *
- *
- * Examples from specification:
- *
- *
- * >Net Control Center without timestamp.
- * >092345zNet Control Center with timestamp.
- * >IO91SX/G
- * >IO91/G
- * >IO91SX/- My house (Note the space at the start of the status text).
- * >IO91SX/- ^B7 Meteor Scatter beam heading = 110 degrees, ERP = 490 watts.
- *
- *------------------------------------------------------------------*/
-
-static void aprs_status_report (char *info, int ilen)
-{
- struct aprs_status_time_s {
- char dti; /* > */
- char ztime[7]; /* Time stamp ddhhmmz */
- char comment[55];
- } *pt;
-
- struct aprs_status_m4_s {
- char dti; /* > */
- char mhead4[4]; /* 4 character Maidenhead locator. */
- char sym_table_id;
- char symbol_code;
- char space; /* Should be space after symbol code. */
- char comment[54];
- } *pm4;
-
- struct aprs_status_m6_s {
- char dti; /* > */
- char mhead6[6]; /* 6 character Maidenhead locator. */
- char sym_table_id;
- char symbol_code;
- char space; /* Should be space after symbol code. */
- char comment[54];
- } *pm6;
-
- struct aprs_status_s {
- char dti; /* > */
- char comment[62];
- } *ps;
-
-
- strcpy (g_msg_type, "Status Report");
-
- pt = (struct aprs_status_time_s *)info;
- pm4 = (struct aprs_status_m4_s *)info;
- pm6 = (struct aprs_status_m6_s *)info;
- ps = (struct aprs_status_s *)info;
-
-/*
- * Do we have format with time?
- */
- if (isdigit(pt->ztime[0]) &&
- isdigit(pt->ztime[1]) &&
- isdigit(pt->ztime[2]) &&
- isdigit(pt->ztime[3]) &&
- isdigit(pt->ztime[4]) &&
- isdigit(pt->ztime[5]) &&
- pt->ztime[6] == 'z') {
-
- strcpy (g_comment, pt->comment);
- }
-
-/*
- * Do we have format with 6 character Maidenhead locator?
- */
- else if (get_maidenhead (pm6->mhead6) == 6) {
-
- strncpy (g_maidenhead, pm6->mhead6, 6);
- g_maidenhead[6] = '\0';
-
- g_symbol_table = pm6->sym_table_id;
- g_symbol_code = pm6->symbol_code;
-
- if (g_symbol_table != '/' && g_symbol_table != '\\'
- && ! isupper(g_symbol_table) && ! isdigit(g_symbol_table))
- {
- text_color_set(DW_COLOR_ERROR);
- dw_printf("Invalid symbol table code '%c' not one of / \\ A-Z 0-9\n", g_symbol_table);
- g_symbol_table = '/';
- }
-
- if (pm6->space != ' ' && pm6->space != '\0') {
- text_color_set(DW_COLOR_ERROR);
- dw_printf("Error: Found '%c' instead of space required after symbol code.\n", pm6->space);
- }
-
- strcpy (g_comment, pm6->comment);
- }
-
-/*
- * Do we have format with 4 character Maidenhead locator?
- */
- else if (get_maidenhead (pm4->mhead4) == 4) {
-
- strncpy (g_maidenhead, pm4->mhead4, 4);
- g_maidenhead[4] = '\0';
-
- g_symbol_table = pm4->sym_table_id;
- g_symbol_code = pm4->symbol_code;
-
- if (g_symbol_table != '/' && g_symbol_table != '\\'
- && ! isupper(g_symbol_table) && ! isdigit(g_symbol_table))
- {
- text_color_set(DW_COLOR_ERROR);
- dw_printf("Invalid symbol table code '%c' not one of / \\ A-Z 0-9\n", g_symbol_table);
- g_symbol_table = '/';
- }
-
- if (pm4->space != ' ' && pm4->space != '\0') {
- text_color_set(DW_COLOR_ERROR);
- dw_printf("Error: Found '%c' instead of space required after symbol code.\n", pm4->space);
- }
-
- strcpy (g_comment, pm4->comment);
- }
-
-/*
- * Whole thing is status text.
- */
- else {
- strcpy (g_comment, ps->comment);
- }
-
-
-/*
- * Last 3 characters can represent beam heading and ERP.
- */
-
- if (strlen(g_comment) >= 3) {
- char *hp = g_comment + strlen(g_comment) - 3;
-
- if (*hp == '^') {
-
- char h = hp[1];
- char p = hp[2];
- int beam = -1;
- int erp = -1;
-
- if (h >= '0' && h <= '9') {
- beam = (h - '0') * 10;
- }
- else if (h >= 'A' && h <= 'Z') {
- beam = (h - 'A') * 10 + 100;
- }
-
- if (p >= '1' && p <= 'K') {
- erp = (p - '0') * (p - '0') * 10;
- }
-
- // TODO: put result somewhere.
- // could use g_directivity and need new variable for erp.
-
- *hp = '\0';
- }
- }
-}
-
-
-/*------------------------------------------------------------------
- *
- * Function: aprs_Telemetry
- *
- * Purpose: Decode "Telemetry"
- *
- * Inputs: info - Pointer to Information field.
- * ilen - Information field length.
- *
- * Outputs: ???
- *
- * Description: TBD.
- *
- * Examples from specification:
- *
- *
- * TBD
- *
- *------------------------------------------------------------------*/
-
-static void aprs_telemetry (char *info, int ilen)
-{
-
- strcpy (g_msg_type, "Telemetry");
-
- /* It's pretty much human readable already. */
- /* Just copy the info field. */
-
- strcpy (g_comment, info);
-
-
-} /* end aprs_telemetry */
-
-
-/*------------------------------------------------------------------
- *
- * Function: aprs_raw_touch_tone
- *
- * Purpose: Decode raw touch tone data.
- *
- * Inputs: info - Pointer to Information field.
- * ilen - Information field length.
- *
- * Description: Touch tone data is converted to a packet format
- * so it can be conveyed to an application for processing.
- *
- * This is not part of the APRS standard.
- *
- *------------------------------------------------------------------*/
-
-static void aprs_raw_touch_tone (char *info, int ilen)
-{
-
- strcpy (g_msg_type, "Raw Touch Tone Data");
-
- /* Just copy the info field without the message type. */
-
- if (*info == '{')
- strcpy (g_comment, info+3);
- else
- strcpy (g_comment, info+1);
-
-
-} /* end aprs_raw_touch_tone */
-
-
-
-/*------------------------------------------------------------------
- *
- * Function: aprs_morse_code
- *
- * Purpose: Convey message in packet format to be transmitted as
- * Morse Code.
- *
- * Inputs: info - Pointer to Information field.
- * ilen - Information field length.
- *
- * Description: This is not part of the APRS standard.
- *
- *------------------------------------------------------------------*/
-
-static void aprs_morse_code (char *info, int ilen)
-{
-
- strcpy (g_msg_type, "Morse Code Data");
-
- /* Just copy the info field without the message type. */
-
- if (*info == '{')
- strcpy (g_comment, info+3);
- else
- strcpy (g_comment, info+1);
-
-
-} /* end aprs_morse_code */
-
-
-/*------------------------------------------------------------------
- *
- * Function: aprs_ll_pos_time
- *
- * Purpose: Decode weather report without a position.
- *
- * Inputs: info - Pointer to Information field.
- * ilen - Information field length.
- *
- * Outputs: g_symbol_table, g_symbol_code.
- *
- * Description: Type identifier '_' is a weather report without a position.
- *
- *------------------------------------------------------------------*/
-
-
-
-static void aprs_positionless_weather_report (unsigned char *info, int ilen)
-{
-
- struct aprs_positionless_weather_s {
- char dti; /* _ */
- char time_stamp[8]; /* MDHM format */
- char comment[99];
- } *p;
-
-
- strcpy (g_msg_type, "Positionless Weather Report");
-
- time_t ts = 0;
-
-
- p = (struct aprs_positionless_weather_s *)info;
-
- // not yet implemented for 8 character format // ts = get_timestamp (p->time_stamp);
-
- weather_data (p->comment, FALSE);
-}
-
-
-/*------------------------------------------------------------------
- *
- * Function: weather_data
- *
- * Purpose: Decode weather data in position or object report.
- *
- * Inputs: info - Pointer to first byte after location
- * and symbol code.
- *
- * wind_prefix - Expecting leading wind info
- * for human-readable location.
- * (Currently ignored. We are very
- * forgiving in what is accepted.)
- * TODO: call this context instead and have 3 enumerated values.
- *
- * Global In: g_course - Wind info for compressed location.
- * g_speed
- *
- * Outputs: g_comment
- *
- * Description: Extract weather details and format into a comment.
- *
- * For human-readable locations, we expect wind direction
- * and speed in a format like this: 999/999.
- * For compressed location, this has already been
- * processed and put in g_course and g_speed.
- * Otherwise, for positionless weather data, the
- * wind is in the form c999s999.
- *
- * References: APRS Weather specification comments.
- * http://aprs.org/aprs11/spec-wx.txt
- *
- * Weather updates to the spec.
- * http://aprs.org/aprs12/weather-new.txt
- *
- * Examples:
- *
- * _10090556c220s004g005t077r000p000P000h50b09900wRSW
- * !4903.50N/07201.75W_220/004g005t077r000p000P000h50b09900wRSW
- * !4903.50N/07201.75W_220/004g005t077r000p000P000h50b.....wRSW
- * @092345z4903.50N/07201.75W_220/004g005t-07r000p000P000h50b09900wRSW
- * =/5L!!<*e7_7P[g005t077r000p000P000h50b09900wRSW
- * @092345z/5L!!<*e7_7P[g005t077r000p000P000h50b09900wRSW
- * ;BRENDA *092345z4903.50N/07201.75W_220/004g005b0990
- *
- *------------------------------------------------------------------*/
-
-static int getwdata (char **wpp, char ch, int dlen, float *val)
-{
- char stemp[8];
- int i;
-
-
- //dw_printf("debug: getwdata (wp=%p, ch=%c, dlen=%d)\n", *wpp, ch, dlen);
-
- *val = G_UNKNOWN;
-
- assert (dlen >= 2 && dlen <= 6);
-
- if (**wpp != ch) {
- /* Not specified element identifier. */
- return (0);
- }
-
- if (strncmp((*wpp)+1, "......", dlen) == 0 || strncmp((*wpp)+1, " ", dlen) == 0) {
- /* Field present, unknown value */
- *wpp += 1 + dlen;
- return (1);
- }
-
- /* Data field can contain digits, decimal point, leading negative. */
-
- for (i=1; i<=dlen; i++) {
- if ( ! isdigit((*wpp)[i]) && (*wpp)[i] != '.' && (*wpp)[i] != '-' ) {
- return(0);
- }
- }
-
- strncpy (stemp, (*wpp)+1, dlen);
- stemp[dlen] = '\0';
- *val = atof(stemp);
-
- //dw_printf("debug: getwdata returning %f\n", *val);
-
- *wpp += 1 + dlen;
- return (1);
-}
-
-static void weather_data (char *wdata, int wind_prefix)
-{
- int n;
- float fval;
- char *wp = wdata;
- int keep_going;
-
-
- if (wp[3] == '/')
- {
- if (sscanf (wp, "%3d", &n))
- {
- // Data Extension format.
- // Fine point: Officially, should be values of 001-360.
- // "000" or "..." or " " means unknown.
- // In practice we see do see "000" here.
- g_course = n;
- }
- if (sscanf (wp+4, "%3d", &n))
- {
- g_speed = KNOTS_TO_MPH(n); /* yes, in knots */
- }
- wp += 7;
- }
- else if ( g_speed == G_UNKNOWN) {
-
- if ( ! getwdata (&wp, 'c', 3, &g_course)) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf("Didn't find wind direction in form c999.\n");
- }
- if ( ! getwdata (&wp, 's', 3, &g_speed)) { /* MPH here */
- text_color_set(DW_COLOR_ERROR);
- dw_printf("Didn't find wind speed in form s999.\n");
- }
- }
-
-// At this point, we should have the wind direction and speed
-// from one of three methods.
-
- if (g_speed != G_UNKNOWN) {
- char ctemp[30];
-
- sprintf (g_comment, "wind %.1f mph", g_speed);
- if (g_course != G_UNKNOWN) {
- sprintf (ctemp, ", direction %.0f", g_course);
- strcat (g_comment, ctemp);
- }
- }
-
- /* We don't want this to show up on the location line. */
- g_speed = G_UNKNOWN;
- g_course = G_UNKNOWN;
-
-/*
- * After the mandatory wind direction and speed (in 1 of 3 formats), the
- * next two must be in fixed positions:
- * - gust (peak in mph last 5 minutes)
- * - temperature, degrees F, can be negative e.g. -01
- */
- if (getwdata (&wp, 'g', 3, &fval)) {
- if (fval != G_UNKNOWN) {
- char ctemp[30];
- sprintf (ctemp, ", gust %.0f", fval);
- strcat (g_comment, ctemp);
- }
- }
- else {
- text_color_set(DW_COLOR_ERROR);
- dw_printf("Didn't find wind gust in form g999.\n");
- }
-
- if (getwdata (&wp, 't', 3, &fval)) {
- if (fval != G_UNKNOWN) {
- char ctemp[30];
- sprintf (ctemp, ", temperature %.0f", fval);
- strcat (g_comment, ctemp);
- }
- }
- else {
- text_color_set(DW_COLOR_ERROR);
- dw_printf("Didn't find temperature in form t999.\n");
- }
-
-/*
- * Now pick out other optional fields in any order.
- */
- keep_going = 1;
- while (keep_going) {
-
- if (getwdata (&wp, 'r', 3, &fval)) {
-
- /* r = rainfall, 1/100 inch, last hour */
-
- if (fval != G_UNKNOWN) {
- char ctemp[30];
- sprintf (ctemp, ", rain %.2f in last hour", fval / 100.);
- strcat (g_comment, ctemp);
- }
- }
- else if (getwdata (&wp, 'p', 3, &fval)) {
-
- /* p = rainfall, 1/100 inch, last 24 hours */
-
- if (fval != G_UNKNOWN) {
- char ctemp[30];
- sprintf (ctemp, ", rain %.2f in last 24 hours", fval / 100.);
- strcat (g_comment, ctemp);
- }
- }
- else if (getwdata (&wp, 'P', 3, &fval)) {
-
- /* P = rainfall, 1/100 inch, since midnight */
-
- if (fval != G_UNKNOWN) {
- char ctemp[30];
- sprintf (ctemp, ", rain %.2f since midnight", fval / 100.);
- strcat (g_comment, ctemp);
- }
- }
- else if (getwdata (&wp, 'h', 2, &fval)) {
-
- /* h = humidity %, 00 means 100% */
-
- if (fval != G_UNKNOWN) {
- char ctemp[30];
- if (fval == 0) fval = 100;
- sprintf (ctemp, ", humidity %.0f", fval);
- strcat (g_comment, ctemp);
- }
- }
- else if (getwdata (&wp, 'b', 5, &fval)) {
-
- /* b = barometric presure (tenths millibars / tenths of hPascal) */
- /* Here, display as inches of mercury. */
-
- if (fval != G_UNKNOWN) {
- char ctemp[30];
- fval = MBAR_TO_INHG(fval * 0.1);
- sprintf (ctemp, ", barometer %.2f", fval);
- strcat (g_comment, ctemp);
- }
- }
- else if (getwdata (&wp, 'L', 3, &fval)) {
-
- /* L = Luminosity, watts/ sq meter, 000-999 */
-
- if (fval != G_UNKNOWN) {
- char ctemp[30];
- sprintf (ctemp, ", %.0f watts/m^2", fval);
- strcat (g_comment, ctemp);
- }
- }
- else if (getwdata (&wp, 'l', 3, &fval)) {
-
- /* l = Luminosity, watts/ sq meter, 1000-1999 */
-
- if (fval != G_UNKNOWN) {
- char ctemp[30];
- sprintf (ctemp, ", %.0f watts/m^2", fval + 1000);
- strcat (g_comment, ctemp);
- }
- }
- else if (getwdata (&wp, 's', 3, &fval)) {
-
- /* s = Snowfall in last 24 hours, inches */
- /* Data can have decimal point so we don't have to worry about scaling. */
- /* 's' is also used by wind speed but that must be in a fixed */
- /* position in the message so there is no confusion. */
-
- if (fval != G_UNKNOWN) {
- char ctemp[30];
- sprintf (ctemp, ", %.1f snow in 24 hours", fval);
- strcat (g_comment, ctemp);
- }
- }
- else if (getwdata (&wp, 's', 3, &fval)) {
-
- /* # = Raw rain counter */
-
- if (fval != G_UNKNOWN) {
- char ctemp[30];
- sprintf (ctemp, ", raw rain counter %.f", fval);
- strcat (g_comment, ctemp);
- }
- }
- else if (getwdata (&wp, 'X', 3, &fval)) {
-
- /* X = Nuclear Radiation. */
- /* Encoded as two significant digits and order of magnitude */
- /* like resistor color code. */
-
-// TODO: decode this properly
-
- if (fval != G_UNKNOWN) {
- char ctemp[30];
- sprintf (ctemp, ", nuclear Radiation %.f", fval);
- strcat (g_comment, ctemp);
- }
- }
-
-// TODO: add new flood level, battery voltage, etc.
-
- else {
- keep_going = 0;
- }
- }
-
-/*
- * We should be left over with:
- * - one character for software.
- * - two to four characters for weather station type.
- * Examples: tU2k, wRSW
- *
- * But few people follow the protocol spec here. Instead more often we see things like:
- * sunny/WX
- * / {UIV32N}
- */
-
- strcat (g_comment, ", \"");
- strcat (g_comment, wp);
-/*
- * Drop any CR / LF character at the end.
- */
- n = strlen(g_comment);
- if (n >= 1 && g_comment[n-1] == '\n') {
- g_comment[n-1] = '\0';
- }
-
- n = strlen(g_comment);
- if (n >= 1 && g_comment[n-1] == '\r') {
- g_comment[n-1] = '\0';
- }
-
- strcat (g_comment, "\"");
-
- return;
-}
-
-
-/*------------------------------------------------------------------
- *
- * Function: aprs_ultimeter
- *
- * Purpose: Decode Peet Brothers ULTIMETER Weather Station Info.
- *
- * Inputs: info - Pointer to Information field.
- * ilen - Information field length.
- *
- * Outputs: g_comment
- *
- * Description: http://www.peetbros.com/shop/custom.aspx?recid=7
- *
- * There are two different data formats in use.
- * One begins with $ULTW and is called "Packet Mode." Example:
- *
- * $ULTW009400DC00E21B8027730008890200010309001E02100000004C
- *
- * The other begins with !! and is called "logging mode." Example:
- *
- * !!000000A600B50000----------------001C01D500000017
- *
- *
- * Bugs: Implementation is incomplete.
- * The example shown in the APRS protocol spec has a couple "----"
- * fields in the $ULTW message. This should be rewritten to handle
- * each field separately to deal with missing pieces.
- *
- *------------------------------------------------------------------*/
-
-static void aprs_ultimeter (char *info, int ilen)
-{
-
- // Header = $ULTW
- // Data Fields
- short h_windpeak; // 1. Wind Speed Peak over last 5 min. (0.1 kph)
- short h_wdir; // 2. Wind Direction of Wind Speed Peak (0-255)
- short h_otemp; // 3. Current Outdoor Temp (0.1 deg F)
- short h_totrain; // 4. Rain Long Term Total (0.01 in.)
- short h_baro; // 5. Current Barometer (0.1 mbar)
- short h_barodelta; // 6. Barometer Delta Value(0.1 mbar)
- short h_barocorrl; // 7. Barometer Corr. Factor(LSW)
- short h_barocorrm; // 8. Barometer Corr. Factor(MSW)
- short h_ohumid; // 9. Current Outdoor Humidity (0.1%)
- short h_date; // 10. Date (day of year)
- short h_time; // 11. Time (minute of day)
- short h_raintoday; // 12. Today's Rain Total (0.01 inches)*
- short h_windave; // 13. 5 Minute Wind Speed Average (0.1kph)*
- // Carriage Return & Line Feed
- // *Some instruments may not include field 13, some may
- // not include 12 or 13.
- // Total size: 44, 48 or 52 characters (hex digits) +
- // header, carriage return and line feed.
-
- int n;
-
- strcpy (g_msg_type, "Ultimeter");
-
- if (*info == '$')
- {
- n = sscanf (info+5, "%4hx%4hx%4hx%4hx%4hx%4hx%4hx%4hx%4hx%4hx%4hx%4hx%4hx",
- &h_windpeak,
- &h_wdir,
- &h_otemp,
- &h_totrain,
- &h_baro,
- &h_barodelta,
- &h_barocorrl,
- &h_barocorrm,
- &h_ohumid,
- &h_date,
- &h_time,
- &h_raintoday, // not on some models.
- &h_windave); // not on some models.
-
- if (n >= 11 && n <= 13) {
-
- float windpeak, wdir, otemp, baro, ohumid;
-
- windpeak = KM_TO_MILES(h_windpeak * 0.1);
- wdir = (h_wdir & 0xff) * 360. / 256.;
- otemp = h_otemp * 0.1;
- baro = MBAR_TO_INHG(h_baro * 0.1);
- ohumid = h_ohumid * 0.1;
-
- sprintf (g_comment, "wind %.1f mph, direction %.0f, temperature %.1f, barometer %.2f, humidity %.0f",
- windpeak, wdir, otemp, baro, ohumid);
- }
- }
-
-
- // Header = !!
- // Data Fields
- // 1. Wind Speed (0.1 kph)
- // 2. Wind Direction (0-255)
- // 3. Outdoor Temp (0.1 deg F)
- // 4. Rain* Long Term Total (0.01 inches)
- // 5. Barometer (0.1 mbar) [ can be ---- ]
- // 6. Indoor Temp (0.1 deg F) [ can be ---- ]
- // 7. Outdoor Humidity (0.1%) [ can be ---- ]
- // 8. Indoor Humidity (0.1%) [ can be ---- ]
- // 9. Date (day of year)
- // 10. Time (minute of day)
- // 11. Today's Rain Total (0.01 inches)*
- // 12. 1 Minute Wind Speed Average (0.1kph)*
- // Carriage Return & Line Feed
- //
- // *Some instruments may not include field 12, some may not include 11 or 12.
- // Total size: 40, 44 or 48 characters (hex digits) + header, carriage return and line feed
-
- if (*info == '!')
- {
- n = sscanf (info+2, "%4hx%4hx%4hx%4hx",
- &h_windpeak,
- &h_wdir,
- &h_otemp,
- &h_totrain);
-
- if (n == 4) {
-
- float windpeak, wdir, otemp;
-
- windpeak = KM_TO_MILES(h_windpeak * 0.1);
- wdir = (h_wdir & 0xff) * 360. / 256.;
- otemp = h_otemp * 0.1;
-
- sprintf (g_comment, "wind %.1f mph, direction %.0f, temperature %.1f\n",
- windpeak, wdir, otemp);
- }
-
- }
-
-} /* end aprs_ultimeter */
-
-
-/*------------------------------------------------------------------
- *
- * Function: third_party_header
- *
- * Purpose: Decode packet from a third party network.
- *
- * Inputs: info - Pointer to Information field.
- * ilen - Information field length.
- *
- * Outputs: g_comment
- *
- * Description:
- *
- *------------------------------------------------------------------*/
-
-static void third_party_header (char *info, int ilen)
-{
- int n;
-
- strcpy (g_msg_type, "Third Party Header");
-
- /* more later? */
-
-} /* end third_party_header */
-
-
-
-/*------------------------------------------------------------------
- *
- * Function: decode_position
- *
- * Purpose: Decode the position & symbol information common to many message formats.
- *
- * Inputs: ppos - Pointer to position & symbol fields.
- *
- * Returns: g_lat
- * g_lon
- * g_symbol_table
- * g_symbol_code
- *
- * Description: This provides resolution of about 60 feet.
- * This can be improved by using !DAO! in the comment.
- *
- *------------------------------------------------------------------*/
-
-
-static void decode_position (position_t *ppos)
-{
-
- g_lat = get_latitude_8 (ppos->lat);
- g_lon = get_longitude_9 (ppos->lon);
-
- g_symbol_table = ppos->sym_table_id;
- g_symbol_code = ppos->symbol_code;
-}
-
-/*------------------------------------------------------------------
- *
- * Function: decode_compressed_position
- *
- * Purpose: Decode the compressed position & symbol information common to many message formats.
- *
- * Inputs: ppos - Pointer to compressed position & symbol fields.
- *
- * Returns: g_lat
- * g_lon
- * g_symbol_table
- * g_symbol_code
- *
- * One of the following:
- * g_course & g_speeed
- * g_altitude
- * g_range
- *
- * Description: The compressed position provides resolution of around ???
- * This also includes course/speed or altitude.
- *
- * It contains 13 bytes of the format:
- *
- * symbol table /, \, or overlay A-Z, a-j is mapped into 0-9
- *
- * yyyy Latitude, base 91.
- *
- * xxxx Longitude, base 91.
- *
- * symbol code
- *
- * cs Course/Speed or altitude.
- *
- * t Various "type" info.
- *
- *------------------------------------------------------------------*/
-
-
-static void decode_compressed_position (compressed_position_t *pcpos)
-{
- if (pcpos->y[0] >= '!' && pcpos->y[0] <= '{' &&
- pcpos->y[1] >= '!' && pcpos->y[1] <= '{' &&
- pcpos->y[2] >= '!' && pcpos->y[2] <= '{' &&
- pcpos->y[3] >= '!' && pcpos->y[3] <= '{' )
- {
- g_lat = 90 - ((pcpos->y[0]-33)*91*91*91 + (pcpos->y[1]-33)*91*91 + (pcpos->y[2]-33)*91 + (pcpos->y[3]-33)) / 380926.0;
- }
- else
- {
- text_color_set(DW_COLOR_ERROR);
- dw_printf("Invalid character in compressed latitude. Must be in range of '!' to '{'.\n");
- g_lat = G_UNKNOWN;
- }
-
- if (pcpos->x[0] >= '!' && pcpos->x[0] <= '{' &&
- pcpos->x[1] >= '!' && pcpos->x[1] <= '{' &&
- pcpos->x[2] >= '!' && pcpos->x[2] <= '{' &&
- pcpos->x[3] >= '!' && pcpos->x[3] <= '{' )
- {
- g_lon = -180 + ((pcpos->x[0]-33)*91*91*91 + (pcpos->x[1]-33)*91*91 + (pcpos->x[2]-33)*91 + (pcpos->x[3]-33)) / 190463.0;
- }
- else
- {
- text_color_set(DW_COLOR_ERROR);
- dw_printf("Invalid character in compressed longitude. Must be in range of '!' to '{'.\n");
- g_lon = G_UNKNOWN;
- }
-
- if (pcpos->sym_table_id == '/' || pcpos->sym_table_id == '\\' || isupper((int)(pcpos->sym_table_id))) {
- /* primary or alternate or alternate with upper case overlay. */
- g_symbol_table = pcpos->sym_table_id;
- }
- else if (pcpos->sym_table_id >= 'a' && pcpos->sym_table_id <= 'j') {
- /* Lower case a-j are used to represent overlay characters 0-9 */
- /* because a digit here would mean normal (non-compressed) location. */
- g_symbol_table = pcpos->sym_table_id - 'a' + '0';
- }
- else {
- text_color_set(DW_COLOR_ERROR);
- dw_printf("Invalid symbol table id for compressed position.\n");
- g_symbol_table = '/';
- }
-
- g_symbol_code = pcpos->symbol_code;
-
- if (pcpos->c == ' ') {
- ; /* ignore other two bytes */
- }
- else if (((pcpos->t - 33) & 0x18) == 0x10) {
- g_altitude = pow(1.002, (pcpos->c - 33) * 91 + pcpos->s - 33);
- }
- else if (pcpos->c == '{')
- {
- g_range = 2.0 * pow(1.08, pcpos->s - 33);
- }
- else if (pcpos->c >= '!' && pcpos->c <= 'z')
- {
- /* For a weather station, this is wind information. */
- g_course = (pcpos->c - 33) * 4;
- g_speed = KNOTS_TO_MPH(pow(1.08, pcpos->s - 33) - 1.0);
- }
-
-}
-
-
-/*------------------------------------------------------------------
- *
- * Function: get_latitude_8
- *
- * Purpose: Convert 8 byte latitude encoding to degrees.
- *
- * Inputs: plat - Pointer to first byte.
- *
- * Returns: Double precision value in degrees. Negative for South.
- *
- * Description: Latitude is expressed as a fixed 8-character field, in degrees
- * and decimal minutes (to two decimal places), followed by the
- * letter N for north or S for south.
- * The protocol spec specifies upper case but I've seen lower
- * case so this will accept either one.
- * Latitude degrees are in the range 00 to 90. Latitude minutes
- * are expressed as whole minutes and hundredths of a minute,
- * separated by a decimal point.
- * For example:
- * 4903.50N is 49 degrees 3 minutes 30 seconds north.
- * In generic format examples, the latitude is shown as the 8-character
- * string ddmm.hhN (i.e. degrees, minutes and hundredths of a minute north).
- *
- * Bug: We don't properly deal with position ambiguity where trailing
- * digits might be replaced by spaces. We simply treat them like zeros.
- *
- * Errors: Return G_UNKNOWN for any type of error.
- *
- * Should probably print an error message.
- *
- *------------------------------------------------------------------*/
-
-double get_latitude_8 (char *p)
-{
- struct lat_s {
- unsigned char deg[2];
- unsigned char minn[2];
- char dot;
- unsigned char hmin[2];
- char ns;
- } *plat;
-
- double result = 0;
-
- plat = (void *)p;
-
- if (isdigit(plat->deg[0]))
- result += ((plat->deg[0]) - '0') * 10;
- else {
- text_color_set(DW_COLOR_ERROR);
- dw_printf("Invalid character in latitude. Expected 0-9 for tens of degrees.\n");
- return (G_UNKNOWN);
- }
-
- if (isdigit(plat->deg[1]))
- result += ((plat->deg[1]) - '0') * 1;
- else {
- text_color_set(DW_COLOR_ERROR);
- dw_printf("Invalid character in latitude. Expected 0-9 for degrees.\n");
- return (G_UNKNOWN);
- }
-
- if (plat->minn[0] >= '0' || plat->minn[0] <= '5')
- result += ((plat->minn[0]) - '0') * (10. / 60.);
- else if (plat->minn[0] == ' ')
- ;
- else {
- text_color_set(DW_COLOR_ERROR);
- dw_printf("Invalid character in latitude. Expected 0-5 for tens of minutes.\n");
- return (G_UNKNOWN);
- }
-
- if (isdigit(plat->minn[1]))
- result += ((plat->minn[1]) - '0') * (1. / 60.);
- else if (plat->minn[1] == ' ')
- ;
- else {
- text_color_set(DW_COLOR_ERROR);
- dw_printf("Invalid character in latitude. Expected 0-9 for minutes.\n");
- return (G_UNKNOWN);
- }
-
- if (plat->dot != '.') {
- text_color_set(DW_COLOR_ERROR);
- dw_printf("Unexpected character \"%c\" found where period expected in latitude.\n", plat->dot);
- return (G_UNKNOWN);
- }
-
- if (isdigit(plat->hmin[0]))
- result += ((plat->hmin[0]) - '0') * (0.1 / 60.);
- else if (plat->hmin[0] == ' ')
- ;
- else {
- text_color_set(DW_COLOR_ERROR);
- dw_printf("Invalid character in latitude. Expected 0-9 for tenths of minutes.\n");
- return (G_UNKNOWN);
- }
-
- if (isdigit(plat->hmin[1]))
- result += ((plat->hmin[1]) - '0') * (0.01 / 60.);
- else if (plat->hmin[1] == ' ')
- ;
- else {
- text_color_set(DW_COLOR_ERROR);
- dw_printf("Invalid character in latitude. Expected 0-9 for hundredths of minutes.\n");
- return (G_UNKNOWN);
- }
-
-// The spec requires upper case for hemisphere. Accept lower case but warn.
-
- if (plat->ns == 'N') {
- return (result);
- }
- else if (plat->ns == 'n') {
- text_color_set(DW_COLOR_ERROR);
- dw_printf("Warning: Lower case n found for latitude hemisphere. Specification requires upper case N or S.\n");
- return (result);
- }
- else if (plat->ns == 'S') {
- return ( - result);
- }
- else if (plat->ns == 's') {
- text_color_set(DW_COLOR_ERROR);
- dw_printf("Warning: Lower case s found for latitude hemisphere. Specification requires upper case N or S.\n");
- return ( - result);
- }
- else {
- text_color_set(DW_COLOR_ERROR);
- dw_printf("Error: '%c' found for latitude hemisphere. Specification requires upper case N or s.\n", plat->ns);
- return (G_UNKNOWN);
- }
-}
-
-
-/*------------------------------------------------------------------
- *
- * Function: get_longitude_9
- *
- * Purpose: Convert 9 byte longitude encoding to degrees.
- *
- * Inputs: plat - Pointer to first byte.
- *
- * Returns: Double precision value in degrees. Negative for West.
- *
- * Description: Longitude is expressed as a fixed 9-character field, in degrees and
- * decimal minutes (to two decimal places), followed by the letter E
- * for east or W for west.
- * Longitude degrees are in the range 000 to 180. Longitude minutes are
- * expressed as whole minutes and hundredths of a minute, separated by a
- * decimal point.
- * For example:
- * 07201.75W is 72 degrees 1 minute 45 seconds west.
- * In generic format examples, the longitude is shown as the 9-character
- * string dddmm.hhW (i.e. degrees, minutes and hundredths of a minute west).
- *
- * Bug: We don't properly deal with position ambiguity where trailing
- * digits might be replaced by spaces. We simply treat them like zeros.
- *
- * Errors: Return G_UNKNOWN for any type of error.
- *
- * Example:
- *
- *------------------------------------------------------------------*/
-
-
-double get_longitude_9 (char *p)
-{
- struct lat_s {
- unsigned char deg[3];
- unsigned char minn[2];
- char dot;
- unsigned char hmin[2];
- char ew;
- } *plon;
-
- double result = 0;
-
- plon = (void *)p;
-
- if (plon->deg[0] == '0' || plon->deg[0] == '1')
- result += ((plon->deg[0]) - '0') * 100;
- else {
- text_color_set(DW_COLOR_ERROR);
- dw_printf("Invalid character in longitude. Expected 0 or 1 for hundreds of degrees.\n");
- return (G_UNKNOWN);
- }
-
- if (isdigit(plon->deg[1]))
- result += ((plon->deg[1]) - '0') * 10;
- else {
- text_color_set(DW_COLOR_ERROR);
- dw_printf("Invalid character in longitude. Expected 0-9 for tens of degrees.\n");
- return (G_UNKNOWN);
- }
-
- if (isdigit(plon->deg[2]))
- result += ((plon->deg[2]) - '0') * 1;
- else {
- text_color_set(DW_COLOR_ERROR);
- dw_printf("Invalid character in longitude. Expected 0-9 for degrees.\n");
- return (G_UNKNOWN);
- }
-
- if (plon->minn[0] >= '0' || plon->minn[0] <= '5')
- result += ((plon->minn[0]) - '0') * (10. / 60.);
- else if (plon->minn[0] == ' ')
- ;
- else {
- text_color_set(DW_COLOR_ERROR);
- dw_printf("Invalid character in longitude. Expected 0-5 for tens of minutes.\n");
- return (G_UNKNOWN);
- }
-
- if (isdigit(plon->minn[1]))
- result += ((plon->minn[1]) - '0') * (1. / 60.);
- else if (plon->minn[1] == ' ')
- ;
- else {
- text_color_set(DW_COLOR_ERROR);
- dw_printf("Invalid character in longitude. Expected 0-9 for minutes.\n");
- return (G_UNKNOWN);
- }
-
- if (plon->dot != '.') {
- text_color_set(DW_COLOR_ERROR);
- dw_printf("Unexpected character \"%c\" found where period expected in longitude.\n", plon->dot);
- return (G_UNKNOWN);
- }
-
- if (isdigit(plon->hmin[0]))
- result += ((plon->hmin[0]) - '0') * (0.1 / 60.);
- else if (plon->hmin[0] == ' ')
- ;
- else {
- text_color_set(DW_COLOR_ERROR);
- dw_printf("Invalid character in longitude. Expected 0-9 for tenths of minutes.\n");
- return (G_UNKNOWN);
- }
-
- if (isdigit(plon->hmin[1]))
- result += ((plon->hmin[1]) - '0') * (0.01 / 60.);
- else if (plon->hmin[1] == ' ')
- ;
- else {
- text_color_set(DW_COLOR_ERROR);
- dw_printf("Invalid character in longitude. Expected 0-9 for hundredths of minutes.\n");
- return (G_UNKNOWN);
- }
-
-// The spec requires upper case for hemisphere. Accept lower case but warn.
-
- if (plon->ew == 'E') {
- return (result);
- }
- else if (plon->ew == 'e') {
- text_color_set(DW_COLOR_ERROR);
- dw_printf("Warning: Lower case e found for longitude hemisphere. Specification requires upper case E or W.\n");
- return (result);
- }
- else if (plon->ew == 'W') {
- return ( - result);
- }
- else if (plon->ew == 'w') {
- text_color_set(DW_COLOR_ERROR);
- dw_printf("Warning: Lower case w found for longitude hemisphere. Specification requires upper case E or W.\n");
- return ( - result);
- }
- else {
- text_color_set(DW_COLOR_ERROR);
- dw_printf("Error: '%c' found for longitude hemisphere. Specification requires upper case E or W.\n", plon->ew);
- return (G_UNKNOWN);
- }
-}
-
-
-/*------------------------------------------------------------------
- *
- * Function: get_timestamp
- *
- * Purpose: Convert 7 byte timestamp to unix time value.
- *
- * Inputs: p - Pointer to first byte.
- *
- * Returns: time_t data type. (UTC)
- *
- * Description:
- *
- * Day/Hours/Minutes (DHM) format is a fixed 7-character field, consisting of
- * a 6-digit day/time group followed by a single time indicator character (z or
- * /). The day/time group consists of a two-digit day-of-the-month (01–31) and
- * a four-digit time in hours and minutes.
- * Times can be expressed in zulu (UTC/GMT) or local time. For example:
- *
- * 092345z is 2345 hours zulu time on the 9th day of the month.
- * 092345/ is 2345 hours local time on the 9th day of the month.
- *
- * It is recommended that future APRS implementations only transmit zulu
- * format on the air.
- *
- * Note: The time in Status Reports may only be in zulu format.
- *
- * Hours/Minutes/Seconds (HMS) format is a fixed 7-character field,
- * consisting of a 6-digit time in hours, minutes and seconds, followed by the h
- * time-indicator character. For example:
- *
- * 234517h is 23 hours 45 minutes and 17 seconds zulu.
- *
- * Note: This format may not be used in Status Reports.
- *
- * Month/Day/Hours/Minutes (MDHM) format is a fixed 8-character field,
- * consisting of the month (01–12) and day-of-the-month (01–31), followed by
- * the time in hours and minutes zulu. For example:
- *
- * 10092345 is 23 hours 45 minutes zulu on October 9th.
- *
- * This format is only used in reports from stand-alone “positionless” weather
- * stations (i.e. reports that do not contain station position information).
- *
- *
- * Bugs: Local time not implemented yet.
- * 8 character form not implemented yet.
- *
- * Boundary conditions are not handled properly.
- * For example, suppose it is 00:00:03 on January 1.
- * We receive a timestamp of 23:59:58 (which was December 31).
- * If we simply replace the time, and leave the current date alone,
- * the result is about a day into the future.
- *
- *
- * Example:
- *
- *------------------------------------------------------------------*/
-
-
-time_t get_timestamp (char *p)
-{
- struct dhm_s {
- char day[2];
- char hours[2];
- char minutes[2];
- char tic; /* Time indicator character. */
- /* z = UTC. */
- /* / = local - not implemented yet. */
- } *pdhm;
-
- struct hms_s {
- char hours[2];
- char minutes[2];
- char seconds[2];
- char tic; /* Time indicator character. */
- /* h = UTC. */
- } *phms;
-
- struct tm *ptm;
-
- time_t ts;
-
- ts = time(NULL);
- ptm = gmtime(&ts);
-
- pdhm = (void *)p;
- phms = (void *)p;
-
- if (pdhm->tic == 'z' || pdhm->tic == '/') /* Wrong! */
- {
- int j;
-
- j = (pdhm->day[0] - '0') * 10 + pdhm->day[1] - '0';
- //text_color_set(DW_COLOR_DECODED);
- //dw_printf("Changing day from %d to %d\n", ptm->tm_mday, j);
- ptm->tm_mday = j;
-
- j = (pdhm->hours[0] - '0') * 10 + pdhm->hours[1] - '0';
- //dw_printf("Changing hours from %d to %d\n", ptm->tm_hour, j);
- ptm->tm_hour = j;
-
- j = (pdhm->minutes[0] - '0') * 10 + pdhm->minutes[1] - '0';
- //dw_printf("Changing minutes from %d to %d\n", ptm->tm_min, j);
- ptm->tm_min = j;
-
- }
- else if (phms->tic == 'h')
- {
- int j;
-
- j = (phms->hours[0] - '0') * 10 + phms->hours[1] - '0';
- //text_color_set(DW_COLOR_DECODED);
- //dw_printf("Changing hours from %d to %d\n", ptm->tm_hour, j);
- ptm->tm_hour = j;
-
- j = (phms->minutes[0] - '0') * 10 + phms->minutes[1] - '0';
- //dw_printf("Changing minutes from %d to %d\n", ptm->tm_min, j);
- ptm->tm_min = j;
-
- j = (phms->seconds[0] - '0') * 10 + phms->seconds[1] - '0';
- //dw_printf("%sChanging seconds from %d to %d\n", ptm->tm_sec, j);
- ptm->tm_sec = j;
- }
-
- return (mktime(ptm));
-}
-
-
-
-
-/*------------------------------------------------------------------
- *
- * Function: get_maidenhead
- *
- * Purpose: See if we have a maidenhead locator.
- *
- * Inputs: p - Pointer to first byte.
- *
- * Returns: 0 = not found.
- * 4 = possible 4 character locator found.
- * 6 = possible 6 character locator found.
- *
- * It is not stored anywhere or processed.
- *
- * Description:
- *
- * The maidenhead locator system is sometimes used as a more compact,
- * and less precise, alternative to numeric latitude and longitude.
- *
- * It is composed of:
- * a pair of letters in range A to R.
- * a pair of digits in range of 0 to 9.
- * a pair of letters in range of A to X.
- *
- * The APRS spec says that all letters must be transmitted in upper case.
- *
- *
- * Examples from APRS spec:
- *
- * IO91SX
- * IO91
- *
- *
- *------------------------------------------------------------------*/
-
-
-int get_maidenhead (char *p)
-{
-
- if (toupper(p[0]) >= 'A' && toupper(p[0]) <= 'R' &&
- toupper(p[1]) >= 'A' && toupper(p[1]) <= 'R' &&
- isdigit(p[2]) && isdigit(p[3])) {
-
- /* We have 4 characters matching the rule. */
-
- if (islower(p[0]) || islower(p[1])) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf("Warning: Lower case letter in Maidenhead locator. Specification requires upper case.\n");
- }
-
- if (toupper(p[4]) >= 'A' && toupper(p[4]) <= 'X' &&
- toupper(p[5]) >= 'A' && toupper(p[5]) <= 'X') {
-
- /* We have 6 characters matching the rule. */
-
- if (islower(p[4]) || islower(p[5])) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf("Warning: Lower case letter in Maidenhead locator. Specification requires upper case.\n");
- }
-
- return 6;
- }
-
- return 4;
- }
-
- return 0;
-}
-
-
-/*------------------------------------------------------------------
- *
- * Function: get_latitude_nmea
- *
- * Purpose: Convert NMEA latitude encoding to degrees.
- *
- * Inputs: pstr - Pointer to numeric string.
- * phemi - Pointer to following field. Should be N or S.
- *
- * Returns: Double precision value in degrees. Negative for South.
- *
- * Description: Latitude field has
- * 2 digits for degrees
- * 2 digits for minutes
- * period
- * Variable number of fractional digits for minutes.
- * I've seen 2, 3, and 4 fractional digits.
- *
- *
- * Bugs: Very little validation of data.
- *
- * Errors: Return constant G_UNKNOWN for any type of error.
- * Could we use special "NaN" code?
- *
- *------------------------------------------------------------------*/
-
-
-static double get_latitude_nmea (char *pstr, char *phemi)
-{
-
- double lat;
-
- if ( ! isdigit((unsigned char)(pstr[0]))) return (G_UNKNOWN);
-
- if (pstr[4] != '.') return (G_UNKNOWN);
-
-
- lat = (pstr[0] - '0') * 10 + (pstr[1] - '0') + atof(pstr+2) / 60.0;
-
- if (lat < 0 || lat > 90) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf("Error: Latitude not in range of 0 to 90.\n");
- }
-
- // Saw this one time:
- // $GPRMC,000000,V,0000.0000,0,00000.0000,0,000,000,000000,,*01
-
- // If location is unknown, I think the hemisphere should be
- // an empty string. TODO: Check on this.
-
- if (*phemi != 'N' && *phemi != 'S' && *phemi != '\0') {
- text_color_set(DW_COLOR_ERROR);
- dw_printf("Error: Latitude hemisphere should be N or S.\n");
- }
-
- if (*phemi == 'S') lat = ( - lat);
-
- return (lat);
-}
-
-
-
-
-/*------------------------------------------------------------------
- *
- * Function: get_longitude_nmea
- *
- * Purpose: Convert NMEA longitude encoding to degrees.
- *
- * Inputs: pstr - Pointer to numeric string.
- * phemi - Pointer to following field. Should be E or W.
- *
- * Returns: Double precision value in degrees. Negative for West.
- *
- * Description: Longitude field has
- * 3 digits for degrees
- * 2 digits for minutes
- * period
- * Variable number of fractional digits for minutes
- *
- *
- * Bugs: Very little validation of data.
- *
- * Errors: Return constant G_UNKNOWN for any type of error.
- * Could we use special "NaN" code?
- *
- *------------------------------------------------------------------*/
-
-
-static double get_longitude_nmea (char *pstr, char *phemi)
-{
- double lon;
-
- if ( ! isdigit((unsigned char)(pstr[0]))) return (G_UNKNOWN);
-
- if (pstr[5] != '.') return (G_UNKNOWN);
-
- lon = (pstr[0] - '0') * 100 + (pstr[1] - '0') * 10 + (pstr[2] - '0') + atof(pstr+3) / 60.0;
-
- if (lon < 0 || lon > 180) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf("Error: Longitude not in range of 0 to 180.\n");
- }
-
- if (*phemi != 'E' && *phemi != 'W' && *phemi != '\0') {
- text_color_set(DW_COLOR_ERROR);
- dw_printf("Error: Longitude hemisphere should be E or W.\n");
- }
-
- if (*phemi == 'W') lon = ( - lon);
-
- return (lon);
-}
-
-
-/*------------------------------------------------------------------
- *
- * Function: data_extension_comment
- *
- * Purpose: A fixed length 7-byte field may follow APRS position data.
- *
- * Inputs: pdext - Pointer to optional data extension and comment.
- *
- * Returns: true if a data extension was found.
- *
- * Outputs: One or more of the following, depending the data found:
- *
- * g_course
- * g_speed
- * g_power
- * g_height
- * g_gain
- * g_directivity
- * g_range
- *
- * Anything left over will be put in
- *
- * g_comment
- *
- * Description:
- *
- *
- *
- *------------------------------------------------------------------*/
-
-const char *dir[9] = { "omni", "NE", "E", "SE", "S", "SW", "W", "NW", "N" };
-
-static int data_extension_comment (char *pdext)
-{
- int n;
-
- if (strlen(pdext) < 7) {
- strcpy (g_comment, pdext);
- return 0;
- }
-
-/* Tyy/Cxx - Area object descriptor. */
-
- if (pdext[0] == 'T' &&
- pdext[3] == '/' &&
- pdext[4] == 'C')
- {
- /* not decoded at this time */
- process_comment (pdext+7, -1);
- return 1;
- }
-
-/* CSE/SPD */
-/* For a weather station (symbol code _) this is wind. */
-/* For others, it would be course and speed. */
-
- if (pdext[3] == '/')
- {
- if (sscanf (pdext, "%3d", &n))
- {
- g_course = n;
- }
- if (sscanf (pdext+4, "%3d", &n))
- {
- g_speed = KNOTS_TO_MPH(n);
- }
-
- /* Bearing and Number/Range/Quality? */
-
- if (pdext[7] == '/' && pdext[11] == '/')
- {
- process_comment (pdext + 7 + 8, -1);
- }
- else {
- process_comment (pdext+7, -1);
- }
- return 1;
- }
-
-/* check for Station power, height, gain. */
-
- if (strncmp(pdext, "PHG", 3) == 0)
- {
- g_power = (pdext[3] - '0') * (pdext[3] - '0');
- g_height = (1 << (pdext[4] - '0')) * 10;
- g_gain = pdext[5] - '0';
- if (pdext[6] >= '0' && pdext[6] <= '8') {
- strcpy (g_directivity, dir[pdext[6]-'0']);
- }
-
- process_comment (pdext+7, -1);
- return 1;
- }
-
-/* check for precalculated radio range. */
-
- if (strncmp(pdext, "RNG", 3) == 0)
- {
- if (sscanf (pdext+3, "%4d", &n))
- {
- g_range = n;
- }
- process_comment (pdext+7, -1);
- return 1;
- }
-
-/* DF signal strength, */
-
- if (strncmp(pdext, "DFS", 3) == 0)
- {
- //g_strength = pdext[3] - '0';
- g_height = (1 << (pdext[4] - '0')) * 10;
- g_gain = pdext[5] - '0';
- if (pdext[6] >= '0' && pdext[6] <= '8') {
- strcpy (g_directivity, dir[pdext[6]-'0']);
- }
-
- process_comment (pdext+7, -1);
- return 1;
- }
-
- process_comment (pdext, -1);
- return 0;
-}
-
-
-/*------------------------------------------------------------------
- *
- * Function: decode_tocall
- *
- * Purpose: Extract application from the destination.
- *
- * Inputs: dest - Destination address.
- * Don't care if SSID is present or not.
- *
- * Outputs: g_mfr
- *
- * Description: For maximum flexibility, we will read the
- * data file at run time rather than compiling it in.
- *
- * For the most recent version, download from:
- *
- * http://www.aprs.org/aprs11/tocalls.txt
- *
- * Windows version: File must be in current working directory.
- *
- * Linux version: Search order is current working directory
- * then /usr/share/direwolf directory.
- *
- *------------------------------------------------------------------*/
-
-#define MAX_TOCALLS 150
-
-static struct tocalls_s {
- unsigned char len;
- char prefix[7];
- char *description;
-} tocalls[MAX_TOCALLS];
-
-static int num_tocalls = 0;
-
-static int tocall_cmp (const struct tocalls_s *x, const struct tocalls_s *y)
-{
- if (x->len != y->len) return (y->len - x->len);
- return (strcmp(x->prefix, y->prefix));
-}
-
-static void decode_tocall (char *dest)
-{
- FILE *fp;
- int n;
- static int first_time = 1;
- char stuff[100];
- char *p;
- char *r;
-
- //dw_printf("debug: decode_tocall(\"%s\")\n", dest);
-
-/*
- * Extract the calls and descriptions from the file.
- *
- * Use only lines with exactly these formats:
- *
- * APN Network nodes, digis, etc
- * APWWxx APRSISCE win32 version
- * | | |
- * 00000000001111111111
- * 01234567890123456789...
- *
- * Matching will be with only leading upper case and digits.
- */
-
-// TODO: Look for this in multiple locations.
-// For example, if application was installed in /usr/local/bin,
-// we might want to put this in /usr/local/share/aprs
-
-// If search strategy changes, be sure to keep symbols_init in sync.
-
- if (first_time) {
-
- fp = fopen("tocalls.txt", "r");
-#ifndef __WIN32__
- if (fp == NULL) {
- fp = fopen("/usr/share/direwolf/tocalls.txt", "r");
- }
-#endif
- if (fp != NULL) {
-
- while (fgets(stuff, sizeof(stuff), fp) != NULL && num_tocalls < MAX_TOCALLS) {
-
- p = stuff + strlen(stuff) - 1;
- while (p >= stuff && (*p == '\r' || *p == '\n')) {
- *p-- = '\0';
- }
-
- // printf("debug: %s\n", stuff);
-
- if (stuff[0] == ' ' &&
- stuff[4] == ' ' &&
- stuff[5] == ' ' &&
- stuff[6] == 'A' &&
- stuff[7] == 'P' &&
- stuff[12] == ' ' &&
- stuff[13] == ' ' ) {
-
- p = stuff + 6;
- r = tocalls[num_tocalls].prefix;
- while (isupper((int)(*p)) || isdigit((int)(*p))) {
- *r++ = *p++;
- }
- *r = '\0';
- if (strlen(tocalls[num_tocalls].prefix) > 2) {
- tocalls[num_tocalls].description = strdup(stuff+14);
- tocalls[num_tocalls].len = strlen(tocalls[num_tocalls].prefix);
- // dw_printf("debug: %d '%s' -> '%s'\n", tocalls[num_tocalls].len, tocalls[num_tocalls].prefix, tocalls[num_tocalls].description);
-
- num_tocalls++;
- }
- }
- else if (stuff[0] == ' ' &&
- stuff[1] == 'A' &&
- stuff[2] == 'P' &&
- isupper((int)(stuff[3])) &&
- stuff[4] == ' ' &&
- stuff[5] == ' ' &&
- stuff[6] == ' ' &&
- stuff[12] == ' ' &&
- stuff[13] == ' ' ) {
-
- p = stuff + 1;
- r = tocalls[num_tocalls].prefix;
- while (isupper((int)(*p)) || isdigit((int)(*p))) {
- *r++ = *p++;
- }
- *r = '\0';
- if (strlen(tocalls[num_tocalls].prefix) > 2) {
- tocalls[num_tocalls].description = strdup(stuff+14);
- tocalls[num_tocalls].len = strlen(tocalls[num_tocalls].prefix);
- // dw_printf("debug: %d '%s' -> '%s'\n", tocalls[num_tocalls].len, tocalls[num_tocalls].prefix, tocalls[num_tocalls].description);
-
- num_tocalls++;
- }
- }
- }
- fclose(fp);
-
-/*
- * Sort by decreasing length so the search will go
- * from most specific to least specific.
- * Example: APY350 or APY008 would match those specific
- * models before getting to the more generic APY.
- */
-
-#if __WIN32__
- qsort (tocalls, num_tocalls, sizeof(struct tocalls_s), tocall_cmp);
-#else
- qsort (tocalls, num_tocalls, sizeof(struct tocalls_s), (__compar_fn_t)tocall_cmp);
-#endif
- }
- else {
- text_color_set(DW_COLOR_ERROR);
- dw_printf("Warning: Could not open 'tocalls.txt'.\n");
- dw_printf("System types in the destination field will not be decoded.\n");
- }
-
-
- first_time = 0;
- }
-
-
- for (n=0; n=0)?1:(-1))
-
-static void process_comment (char *pstart, int clen)
-{
- static int first_time = 1;
- static regex_t freq_re; /* These must be static! */
- static regex_t dao_re; /* These must be static! */
- static regex_t alt_re; /* These must be static! */
- int e;
- char emsg[100];
-#define MAXMATCH 1
- regmatch_t match[MAXMATCH];
- char temp[256];
-
-/*
- * No sense in recompiling the patterns and freeing every time.
- */
- if (first_time)
- {
-/*
- * Present, frequency must be at the at the beginning.
- * Others can be anywhere in the comment.
- */
- /* incomplete */
- e = regcomp (&freq_re, "^[0-9A-O][0-9][0-9]\\.[0-9][0-9][0-9 ]MHz( [TCDtcd][0-9][0-9][0-9]| Toff)?( [+-][0-9][0-9][0-9])?", REG_EXTENDED);
- if (e) {
- regerror (e, &freq_re, emsg, sizeof(emsg));
- dw_printf("%s:%d: %s\n", __FILE__, __LINE__, emsg);
- }
-
- e = regcomp (&dao_re, "!([A-Z][0-9 ][0-9 ]|[a-z][!-} ][!-} ])!", REG_EXTENDED);
- if (e) {
- regerror (e, &dao_re, emsg, sizeof(emsg));
- dw_printf("%s:%d: %s\n", __FILE__, __LINE__, emsg);
- }
-
- e = regcomp (&alt_re, "/A=[0-9][0-9][0-9][0-9][0-9][0-9]", REG_EXTENDED);
- if (e) {
- regerror (e, &alt_re, emsg, sizeof(emsg));
- dw_printf("%s:%d: %s\n", __FILE__, __LINE__, emsg);
- }
-
- first_time = 0;
- }
-
- if (clen >= 0) {
- assert (clen < sizeof(g_comment));
- memcpy (g_comment, pstart, (size_t)clen);
- g_comment[clen] = '\0';
- }
- else {
- strcpy (g_comment, pstart);
- }
- //dw_printf("\nInitial comment='%s'\n", g_comment);
-
-
-/*
- * Frequency.
- * Just pull it out from comment.
- * No futher interpretation at this time.
- */
-
- if (regexec (&freq_re, g_comment, MAXMATCH, match, 0) == 0)
- {
-
- //dw_printf("start=%d, end=%d\n", (int)(match[0].rm_so), (int)(match[0].rm_eo));
-
- strcpy (temp, g_comment + match[0].rm_eo);
-
- g_comment[match[0].rm_eo] = '\0';
- strcpy (g_freq, g_comment + match[0].rm_so);
-
- strcpy (g_comment + match[0].rm_so, temp);
- }
-
-/*
- * Latitude and Longitude in the form DD MM.HH has a resolution of about 60 feet.
- * The !DAO! option allows another digit or [almost two] for greater resolution.
- */
-
- if (regexec (&dao_re, g_comment, MAXMATCH, match, 0) == 0)
- {
-
- int d = g_comment[match[0].rm_so+1];
- int a = g_comment[match[0].rm_so+2];
- int o = g_comment[match[0].rm_so+3];
-
- //dw_printf("start=%d, end=%d\n", (int)(match[0].rm_so), (int)(match[0].rm_eo));
-
- if (isupper(d))
- {
-/*
- * This adds one extra digit to each. Dao adds extra digit like:
- *
- * Lat: DD MM.HHa
- * Lon: DDD HH.HHo
- */
- if (isdigit(a)) {
- g_lat += (a - '0') / 60000.0 * sign(g_lat);
- }
- if (isdigit(o)) {
- g_lon += (o - '0') / 60000.0 * sign(g_lon);
- }
- }
- else if (islower(d))
- {
-/*
- * This adds almost two extra digits to each like this:
- *
- * Lat: DD MM.HHxx
- * Lon: DDD HH.HHxx
- *
- * The original character range '!' to '}' is first converted
- * to an integer in range of 0 to 90. It is multiplied by 1.1
- * to stretch the numeric range to be 0 to 99.
- */
- if (a >= '!' && a <= '}') {
- g_lat += (a - '!') * 1.1 / 600000.0 * sign(g_lat);
- }
- if (o >= '!' && o <= '}') {
- g_lon += (o - '!') * 1.1 / 600000.0 * sign(g_lon);
- }
- }
-
- strcpy (temp, g_comment + match[0].rm_eo);
- strcpy (g_comment + match[0].rm_so, temp);
- }
-
-/*
- * Altitude in feet. /A=123456
- */
-
- if (regexec (&alt_re, g_comment, MAXMATCH, match, 0) == 0)
- {
-
- //dw_printf("start=%d, end=%d\n", (int)(match[0].rm_so), (int)(match[0].rm_eo));
-
- strcpy (temp, g_comment + match[0].rm_eo);
-
- g_comment[match[0].rm_eo] = '\0';
- g_altitude = atoi(g_comment + match[0].rm_so + 3);
-
- strcpy (g_comment + match[0].rm_so, temp);
- }
-
- //dw_printf("Final comment='%s'\n", g_comment);
-
-}
-
-/* end process_comment */
-
-
-
-/*------------------------------------------------------------------
- *
- * Function: main
- *
- * Purpose: Main program for standalone test program.
- *
- * Inputs: stdin for raw data to decode.
- * This is in the usual display format either from
- * a TNC, findu.com, aprs.fi, etc. e.g.
- *
- * N1EDF-9>T2QT8Y,W1CLA-1,WIDE1*,WIDE2-2,00000:`bSbl!Mv/`"4%}_ <0x0d>
- *
- * WB2OSZ-1>APN383,qAR,N1EDU-2:!4237.14NS07120.83W#PHG7130Chelmsford, MA
- *
- *
- * Outputs: stdout
- *
- * Description: Compile like this to make a standalone test program.
- *
- * gcc -o decode_aprs -DTEST decode_aprs.c ax25_pad.c
- *
- * ./decode_aprs < decode_aprs.txt
- *
- * aprs.fi precedes raw data with a time stamp which you
- * would need to remove first.
- *
- * cut -c26-999 tmp/kj4etp-9.txt | decode_aprs.exe
- *
- *
- * Restriction: MIC-E message type can be problematic because it
- * it can use unprintable characters in the information field.
- *
- * Dire Wolf and aprs.fi print it in hexadecimal. Example:
- *
- * KB1KTR-8>TR3U6T,KB1KTR-9*,WB2OSZ-1*,WIDE2*,qAR,W1XM:`c1<0x1f>l!t>/>"4^}
- * ^^^^^^
- * ||||||
- * What does findu.com do in this case?
- *
- * ax25_from_text recognizes this representation so it can be used
- * to decode raw data later.
- *
- *
- *------------------------------------------------------------------*/
-
-#if TEST
-
-
-int main (int argc, char *argv[])
-{
- char stuff[300];
- char *p;
- packet_t pp;
-
-#if __WIN32__
-
-// Select UTF-8 code page for console output.
-// http://msdn.microsoft.com/en-us/library/windows/desktop/ms686036(v=vs.85).aspx
-// This is the default I see for windows terminal:
-// >chcp
-// Active code page: 437
-
- //Restore on exit? oldcp = GetConsoleOutputCP();
- SetConsoleOutputCP(CP_UTF8);
-
-#else
-
-/*
- * Default on Raspian & Ubuntu Linux is fine. Don't know about others.
- *
- * Should we look at LANG environment variable and issue a warning
- * if it doesn't look something like en_US.UTF-8 ?
- */
-
-#endif
- if (argc >= 2) {
- if (freopen (argv[1], "r", stdin) == NULL) {
- fprintf(stderr, "Can't open %s for read.\n", argv[1]);
- exit(1);
- }
- }
-
- text_color_init(1);
- text_color_set(DW_COLOR_INFO);
-
- while (fgets(stuff, sizeof(stuff), stdin) != NULL)
- {
- p = stuff + strlen(stuff) - 1;
- while (p >= stuff && (*p == '\r' || *p == '\n')) {
- *p-- = '\0';
- }
-
- if (strlen(stuff) == 0 || stuff[0] == '#')
- {
- /* comment or blank line */
- text_color_set(DW_COLOR_INFO);
- dw_printf("%s\n", stuff);
- continue;
- }
- else
- {
- /* Try to process it. */
-
- text_color_set(DW_COLOR_REC);
- dw_printf("\n%s\n", stuff);
-
- pp = ax25_from_text(stuff, 1);
- if (pp != NULL)
- {
- decode_aprs (pp);
- ax25_delete (pp);
- }
- else
- {
- text_color_set(DW_COLOR_ERROR);
- dw_printf("\n%s\n", "ERROR - Could not parse input!\n");
- }
- }
- }
- return (0);
-}
-
-#endif /* TEST */
-
-/* end decode_aprs.c */
diff --git a/decode_aprs.h b/decode_aprs.h
deleted file mode 100644
index 66fbc316..00000000
--- a/decode_aprs.h
+++ /dev/null
@@ -1,5 +0,0 @@
-
-/* decode_aprs.h */
-
-extern void decode_aprs (packet_t pp);
-
diff --git a/demod.c b/demod.c
deleted file mode 100644
index abcb6f8b..00000000
--- a/demod.c
+++ /dev/null
@@ -1,570 +0,0 @@
-//
-// This file is part of Dire Wolf, an amateur radio packet TNC.
-//
-// Copyright (C) 2011,2012,2013 John Langner, WB2OSZ
-//
-// This program is free software: you can redistribute it and/or modify
-// it under the terms of the GNU General Public License as published by
-// the Free Software Foundation, either version 2 of the License, or
-// (at your option) any later version.
-//
-// This program is distributed in the hope that it will be useful,
-// but WITHOUT ANY WARRANTY; without even the implied warranty of
-// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
-// GNU General Public License for more details.
-//
-// You should have received a copy of the GNU General Public License
-// along with this program. If not, see .
-//
-
-
-// #define DEBUG1 1 /* display debugging info */
-
-// #define DEBUG3 1 /* print carrier detect changes. */
-
-// #define DEBUG4 1 /* capture AFSK demodulator output to log files */
-
-// #define DEBUG5 1 /* capture 9600 output to log files */
-
-
-/*------------------------------------------------------------------
- *
- * Module: demod.c
- *
- * Purpose: Common entry point for multiple types of demodulators.
- *
- * Input: Audio samples from either a file or the "sound card."
- *
- * Outputs: Calls hdlc_rec_bit() for each bit demodulated.
- *
- *---------------------------------------------------------------*/
-
-
-#include
-#include
-#include
-#include
-#include
-#include
-#include
-#include
-
-#include "direwolf.h"
-#include "audio.h"
-#include "demod.h"
-#include "tune.h"
-#include "fsk_demod_state.h"
-#include "fsk_gen_filter.h"
-#include "fsk_fast_filter.h"
-#include "hdlc_rec.h"
-#include "textcolor.h"
-#include "demod_9600.h"
-#include "demod_afsk.h"
-
-
-
-// Properties of the radio channels.
-
-static struct audio_s modem;
-
-// Current state of all the decoders.
-
-static struct demodulator_state_s demodulator_state[MAX_CHANS][MAX_SUBCHANS];
-
-
-#define UPSAMPLE 2
-
-static int sample_sum[MAX_CHANS][MAX_SUBCHANS];
-static int sample_count[MAX_CHANS][MAX_SUBCHANS];
-
-
-/*------------------------------------------------------------------
- *
- * Name: demod_init
- *
- * Purpose: Initialize the demodulator(s) used for reception.
- *
- * Inputs: pa - Pointer to modem_s structure with
- * various parameters for the modem(s).
- *
- * Returns: 0 for success, -1 for failure.
- *
- *
- * Bugs: This doesn't do much error checking so don't give it
- * anything crazy.
- *
- *----------------------------------------------------------------*/
-
-int demod_init (struct audio_s *pa)
-{
- int j;
- int chan; /* Loop index over number of radio channels. */
- int subchan; /* for each modem for channel. */
- char profile;
- //float fc;
-
- struct demodulator_state_s *D;
-
-
-/*
- * Save parameters for later use.
- */
- memcpy (&modem, pa, sizeof(modem));
-
- for (chan = 0; chan < modem.num_channels; chan++) {
-
- assert (chan >= 0 && chan < MAX_CHANS);
-
- switch (modem.modem_type[chan]) {
-
- case AFSK:
-/*
- * Pick a good default demodulator if none specified.
- */
- if (strlen(modem.profiles[chan]) == 0) {
-
- if (modem.baud[chan] < 600) {
-
- /* This has been optimized for 300 baud. */
-
- strcpy (modem.profiles[chan], "D");
- if (modem.samples_per_sec > 40000) {
- modem.decimate[chan] = 3;
- }
- }
- else {
-#if __arm__
- /* We probably don't have a lot of CPU power available. */
-
- if (modem.baud[chan] == FFF_BAUD &&
- modem.mark_freq[chan] == FFF_MARK_FREQ &&
- modem.space_freq[chan] == FFF_SPACE_FREQ &&
- modem.samples_per_sec == FFF_SAMPLES_PER_SEC) {
-
- modem.profiles[chan][0] = FFF_PROFILE;
- modem.profiles[chan][1] = '\0';
- }
- else {
- strcpy (modem.profiles[chan], "A");
- }
-#else
- strcpy (modem.profiles[chan], "C");
-#endif
- }
- }
-
- if (modem.decimate[chan] == 0) modem.decimate[chan] = 1;
-
- text_color_set(DW_COLOR_DEBUG);
- dw_printf ("Channel %d: %d baud, AFSK %d & %d Hz, %s, %d sample rate",
- chan, modem.baud[chan],
- modem.mark_freq[chan], modem.space_freq[chan],
- modem.profiles[chan],
- modem.samples_per_sec);
- if (modem.decimate[chan] != 1)
- dw_printf (" / %d", modem.decimate[chan]);
- dw_printf (".\n");
-
- if (strlen(modem.profiles[chan]) > 1) {
-
-/*
- * Multiple profiles, usually for 1200 baud.
- */
- assert (modem.num_subchan[chan] == strlen(modem.profiles[chan]));
-
- for (subchan = 0; subchan < modem.num_subchan[chan]; subchan++) {
-
- int mark, space;
- assert (subchan >= 0 && subchan < MAX_SUBCHANS);
- D = &demodulator_state[chan][subchan];
-
- profile = modem.profiles[chan][subchan];
- mark = modem.mark_freq[chan];
- space = modem.space_freq[chan];
-
- if (modem.num_subchan[chan] != 1) {
- text_color_set(DW_COLOR_DEBUG);
- dw_printf (" %d.%d: %c %d & %d\n", chan, subchan, profile, mark, space);
- }
-
- demod_afsk_init (modem.samples_per_sec / modem.decimate[chan], modem.baud[chan],
- mark, space,
- profile,
- D);
- }
- }
- else {
-/*
- * Possibly multiple frequency pairs.
- */
-
- assert (modem.num_freq[chan] == modem.num_subchan[chan]);
- assert (strlen(modem.profiles[chan]) == 1);
-
- for (subchan = 0; subchan < modem.num_freq[chan]; subchan++) {
-
- int mark, space, k;
- assert (subchan >= 0 && subchan < MAX_SUBCHANS);
- D = &demodulator_state[chan][subchan];
-
- profile = modem.profiles[chan][0];
-
- k = subchan * modem.offset[chan] - ((modem.num_subchan[chan] - 1) * modem.offset[chan]) / 2;
- mark = modem.mark_freq[chan] + k;
- space = modem.space_freq[chan] + k;
-
- if (modem.num_subchan[chan] != 1) {
- text_color_set(DW_COLOR_DEBUG);
- dw_printf (" %d.%d: %c %d & %d\n", chan, subchan, profile, mark, space);
- }
-
- demod_afsk_init (modem.samples_per_sec / modem.decimate[chan], modem.baud[chan],
- mark, space,
- profile,
- D);
-
- } /* for subchan */
- }
- break;
-
- default:
-
- text_color_set(DW_COLOR_DEBUG);
- dw_printf ("Channel %d: %d baud, %d sample rate x %d.\n",
- chan, modem.baud[chan],
- modem.samples_per_sec, UPSAMPLE);
-
- subchan = 0;
- D = &demodulator_state[chan][subchan];
-
- demod_9600_init (UPSAMPLE * modem.samples_per_sec, modem.baud[chan], D);
-
- break;
-
- } /* switch on modulation type. */
-
- } /* for chan ... */
-
-
-
- for (chan=0; chan= 0 && subchan < MAX_SUBCHANS);
-
- sample_sum[chan][subchan] = 0;
- sample_count[chan][subchan] = subchan; /* stagger */
-
- D = &demodulator_state[chan][subchan];
-
-/* For collecting input signal level. */
-
- D->lev_period = modem.samples_per_sec * 0.100; // Samples in 0.100 seconds.
-
- }
- }
-
- return (0);
-
-} /* end demod_init */
-
-
-
-/*------------------------------------------------------------------
- *
- * Name: demod_get_sample
- *
- * Purpose: Get one audio sample fromt the sound input source.
- *
- * Returns: -32768 .. 32767 for a valid audio sample.
- * 256*256 for end of file or other error.
- *
- * Global In: modem.bits_per_sample - So we know whether to
- * read 1 or 2 bytes from audio stream.
- *
- * Description: Grab 1 or two btyes depending on data source.
- *
- * When processing stereo, the caller will call this
- * at twice the normal rate to obtain alternating left
- * and right samples.
- *
- *----------------------------------------------------------------*/
-
-#define FSK_READ_ERR (256*256)
-
-
-__attribute__((hot))
-int demod_get_sample (void)
-{
- int x1, x2;
- signed short sam; /* short to force sign extention. */
-
-
- assert (modem.bits_per_sample == 8 || modem.bits_per_sample == 16);
-
-
- if (modem.bits_per_sample == 8) {
-
- x1 = audio_get();
- if (x1 < 0) return(FSK_READ_ERR);
-
- assert (x1 >= 0 && x1 <= 255);
-
- /* Scale 0..255 into -32k..+32k */
-
- sam = (x1 - 128) * 256;
-
- }
- else {
- x1 = audio_get(); /* lower byte first */
- if (x1 < 0) return(FSK_READ_ERR);
-
- x2 = audio_get();
- if (x2 < 0) return(FSK_READ_ERR);
-
- assert (x1 >= 0 && x1 <= 255);
- assert (x2 >= 0 && x2 <= 255);
-
- sam = ( x2 << 8 ) | x1;
- }
-
- return (sam);
-}
-
-
-/*-------------------------------------------------------------------
- *
- * Name: demod_process_sample
- *
- * Purpose: (1) Demodulate the AFSK signal.
- * (2) Recover clock and data.
- *
- * Inputs: chan - Audio channel. 0 for left, 1 for right.
- * subchan - modem of the channel.
- * sam - One sample of audio.
- * Should be in range of -32768 .. 32767.
- *
- * Returns: None
- *
- * Descripion: We start off with two bandpass filters tuned to
- * the given frequencies. In the case of VHF packet
- * radio, this would be 1200 and 2200 Hz.
- *
- * The bandpass filter amplitudes are compared to
- * obtain the demodulated signal.
- *
- * We also have a digital phase locked loop (PLL)
- * to recover the clock and pick out data bits at
- * the proper rate.
- *
- * For each recovered data bit, we call:
- *
- * hdlc_rec (channel, demodulated_bit);
- *
- * to decode HDLC frames from the stream of bits.
- *
- * Future: This could be generalized by passing in the name
- * of the function to be called for each bit recovered
- * from the demodulator. For now, it's simply hard-coded.
- *
- *--------------------------------------------------------------------*/
-
-
-__attribute__((hot))
-void demod_process_sample (int chan, int subchan, int sam)
-{
- float fsam, abs_fsam;
- int k;
-
-
-#if DEBUG4
- static FILE *demod_log_fp = NULL;
- static int seq = 0; /* for log file name */
-#endif
-
- int j;
- int demod_data;
- struct demodulator_state_s *D;
-
- assert (chan >= 0 && chan < MAX_CHANS);
- assert (subchan >= 0 && subchan < MAX_SUBCHANS);
-
- D = &demodulator_state[chan][subchan];
-
-
-#if 1 /* TODO: common level detection. */
-
- /* Scale to nice number, TODO: range -1.0 to +1.0, not 2. */
-
- fsam = sam / 16384.0;
-
-/*
- * Accumulate measure of the input signal level.
- */
- abs_fsam = fsam >= 0 ? fsam : -fsam;
-
- if (abs_fsam > D->lev_peak_acc) {
- D->lev_peak_acc = abs_fsam;
- }
- D->lev_sum_acc += abs_fsam;
-
- D->lev_count++;
- if (D->lev_count >= D->lev_period) {
- D->lev_prev_peak = D->lev_last_peak;
- D->lev_last_peak = D->lev_peak_acc;
- D->lev_peak_acc = 0;
-
- D->lev_prev_ave = D->lev_last_ave;
- D->lev_last_ave = D->lev_sum_acc / D->lev_count;
- D->lev_sum_acc = 0;
-
- D->lev_count = 0;
- }
-
-#endif
-
-/*
- * Select decoder based on modulation type.
- */
-
- switch (modem.modem_type[chan]) {
-
- case AFSK:
-
- if (modem.decimate[chan] > 1) {
-
- sample_sum[chan][subchan] += sam;
- sample_count[chan][subchan]++;
- if (sample_count[chan][subchan] >= modem.decimate[chan]) {
- demod_afsk_process_sample (chan, subchan, sample_sum[chan][subchan] / modem.decimate[chan], D);
- sample_sum[chan][subchan] = 0;
- sample_count[chan][subchan] = 0;
- }
- }
- else {
- demod_afsk_process_sample (chan, subchan, sam, D);
- }
- break;
-
- default:
-
-#define ZEROSTUFF 1
-
-
-#if ZEROSTUFF
- /* Literature says this is better if followed */
- /* by appropriate low pass filter. */
- /* So far, both are same in tests with different */
- /* optimal low pass filter parameters. */
-
- for (k=1; k= 0 && chan < MAX_CHANS);
- assert (subchan >= 0 && subchan < MAX_SUBCHANS);
-
- D = &demodulator_state[chan][subchan];
-
- dw_printf ("%d\n", (int)((D->lev_last_peak + D->lev_prev_peak)*50));
-
-
-
- //dw_printf ("Peak= %.2f, %.2f Ave= %.2f, %.2f AGC M= %.2f / %.2f S= %.2f / %.2f\n",
- // D->lev_last_peak, D->lev_prev_peak, D->lev_last_ave, D->lev_prev_ave,
- // D->m_peak, D->m_valley, D->s_peak, D->s_valley);
-
-}
-#endif
-
-/* Resulting scale is 0 to almost 100. */
-/* Cranking up the input level produces no more than 97 or 98. */
-/* We currently produce a message when this goes over 90. */
-
-int demod_get_audio_level (int chan, int subchan)
-{
- struct demodulator_state_s *D;
-
-
- assert (chan >= 0 && chan < MAX_CHANS);
- assert (subchan >= 0 && subchan < MAX_SUBCHANS);
-
- D = &demodulator_state[chan][subchan];
-
- return ( (int) ((D->lev_last_peak + D->lev_prev_peak) * 50 ) );
-}
-
-
-/* end demod.c */
diff --git a/demod_9600.c b/demod_9600.c
deleted file mode 100644
index eef4e155..00000000
--- a/demod_9600.c
+++ /dev/null
@@ -1,463 +0,0 @@
-//
-// This file is part of Dire Wolf, an amateur radio packet TNC.
-//
-// Copyright (C) 2011,2012,2013 John Langner, WB2OSZ
-//
-// This program is free software: you can redistribute it and/or modify
-// it under the terms of the GNU General Public License as published by
-// the Free Software Foundation, either version 2 of the License, or
-// (at your option) any later version.
-//
-// This program is distributed in the hope that it will be useful,
-// but WITHOUT ANY WARRANTY; without even the implied warranty of
-// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
-// GNU General Public License for more details.
-//
-// You should have received a copy of the GNU General Public License
-// along with this program. If not, see .
-//
-
-
-// #define DEBUG5 1 /* capture 9600 output to log files */
-
-
-/*------------------------------------------------------------------
- *
- * Module: demod_9600.c
- *
- * Purpose: Demodulator for scrambled baseband encoding.
- *
- * Input: Audio samples from either a file or the "sound card."
- *
- * Outputs: Calls hdlc_rec_bit() for each bit demodulated.
- *
- *---------------------------------------------------------------*/
-
-#include
-#include
-#include
-#include
-#include
-#include
-#include
-#include
-
-#include "direwolf.h"
-#include "tune.h"
-#include "fsk_demod_state.h"
-#include "hdlc_rec.h"
-#include "demod_9600.h"
-#include "textcolor.h"
-#include "dsp.h"
-
-
-/* Add sample to buffer and shift the rest down. */
-
-__attribute__((hot))
-static inline void push_sample (float val, float *buff, int size)
-{
- int j;
-
- // TODO: memmove any faster?
- for (j = size - 1; j >= 1; j--) {
- buff[j] = buff[j-1];
- }
- buff[0] = val;
-}
-
-
-/* FIR filter kernel. */
-
-__attribute__((hot))
-static inline float convolve (const float *data, const float *filter, int filter_size)
-{
- float sum = 0;
- int j;
-
- for (j=0; j= *ppeak) {
- *ppeak = in * fast_attack + *ppeak * (1. - fast_attack);
- }
- else {
- *ppeak = in * slow_decay + *ppeak * (1. - slow_decay);
- }
-
- if (in <= *pvalley) {
- *pvalley = in * fast_attack + *pvalley * (1. - fast_attack);
- }
- else {
- *pvalley = in * slow_decay + *pvalley * (1. - slow_decay);
- }
-
- if (*ppeak > *pvalley) {
- return ((in - 0.5 * (*ppeak + *pvalley)) / (*ppeak - *pvalley));
- }
- return (0.0);
-}
-
-
-/*------------------------------------------------------------------
- *
- * Name: demod_9600_init
- *
- * Purpose: Initialize the 9600 baud demodulator.
- *
- * Inputs: samples_per_sec - Number of samples per second.
- * Might be upsampled in hopes of
- * reducing the PLL jitter.
- *
- * baud - Data rate in bits per second.
- *
- * D - Address of demodulator state.
- *
- * Returns: None
- *
- *----------------------------------------------------------------*/
-
-void demod_9600_init (int samples_per_sec, int baud, struct demodulator_state_s *D)
-{
- float fc;
-
- memset (D, 0, sizeof(struct demodulator_state_s));
-
- //dw_printf ("demod_9600_init(rate=%d, baud=%d, D ptr)\n", samples_per_sec, baud);
-
- D->pll_step_per_sample =
- (int) round(TICKS_PER_PLL_CYCLE * (double) baud / (double)samples_per_sec);
-
- D->filter_len_bits = 72 * 9600.0 / (44100.0 * 2.0);
- D->lp_filter_size = (int) (( D->filter_len_bits * (float)samples_per_sec / baud) + 0.5);
-#if TUNE_LP_FILTER_SIZE
- D->lp_filter_size = TUNE_LP_FILTER_SIZE;
-#endif
-
- D->lpf_baud = 0.59;
-#ifdef TUNE_LPF_BAUD
- D->lpf_baud = TUNE_LPF_BAUD;
-#endif
-
- D->agc_fast_attack = 0.080;
-#ifdef TUNE_AGC_FAST
- D->agc_fast_attack = TUNE_AGC_FAST;
-#endif
-
- D->agc_slow_decay = 0.00012;
-#ifdef TUNE_AGC_SLOW
- D->agc_slow_decay = TUNE_AGC_SLOW;
-#endif
-
- D->pll_locked_inertia = 0.88;
- D->pll_searching_inertia = 0.67;
-
-#if defined(TUNE_PLL_LOCKED) && defined(TUNE_PLL_SEARCHING)
- D->pll_locked_inertia = TUNE_PLL_LOCKED;
- D->pll_searching_inertia = TUNE_PLL_SEARCHING;
-#endif
-
- fc = (float)baud * D->lpf_baud / (float)samples_per_sec;
-
- //dw_printf ("demod_9600_init: call gen_lowpass(fc=%.2f, , size=%d, )\n", fc, D->lp_filter_size);
-
- gen_lowpass (fc, D->lp_filter, D->lp_filter_size, BP_WINDOW_HAMMING);
-
-} /* end fsk_demod_init */
-
-
-
-/*-------------------------------------------------------------------
- *
- * Name: demod_9600_process_sample
- *
- * Purpose: (1) Filter & slice the signal.
- * (2) Descramble it.
- * (2) Recover clock and data.
- *
- * Inputs: chan - Audio channel. 0 for left, 1 for right.
- *
- * sam - One sample of audio.
- * Should be in range of -32768 .. 32767.
- *
- * Returns: None
- *
- * Descripion: "9600 baud" packet is FSK for an FM voice transceiver.
- * By the time it gets here, it's really a baseband signal.
- * At one extreme, we could have a 4800 Hz square wave.
- * A the other extreme, we could go a considerable number
- * of bit times without any transitions.
- *
- * The trick is to extract the digital data which has
- * been distorted by going thru voice transceivers not
- * intended to pass this sort of "audio" signal.
- *
- * Data is "scrambled" to reduce the amount of DC bias.
- * The data stream must be unscrambled at the receiving end.
- *
- * We also have a digital phase locked loop (PLL)
- * to recover the clock and pick out data bits at
- * the proper rate.
- *
- * For each recovered data bit, we call:
- *
- * hdlc_rec (channel, demodulated_bit);
- *
- * to decode HDLC frames from the stream of bits.
- *
- * Future: This could be generalized by passing in the name
- * of the function to be called for each bit recovered
- * from the demodulator. For now, it's simply hard-coded.
- *
- * References: 9600 Baud Packet Radio Modem Design
- * http://www.amsat.org/amsat/articles/g3ruh/109.html
- *
- * The KD2BD 9600 Baud Modem
- * http://www.amsat.org/amsat/articles/kd2bd/9k6modem/
- *
- * 9600 Baud Packet Handbook
- * ftp://ftp.tapr.org/general/9600baud/96man2x0.txt
- *
- *
- * TODO: This works in a simulated environment but it has not yet
- * been successfully tested for interoperability with
- * other systems over the air.
- * That's why it is not mentioned in documentation.
- *
- * The signal from the radio speaker does NOT have
- * enough bandwidth and the waveform is hopelessly distorted.
- * It will be necessary to obtain a signal right after
- * the discriminator of the receiver.
- * It will probably also be necessary to tap directly into
- * the modulator, bypassing the microphone amplifier.
- *
- *--------------------------------------------------------------------*/
-
-
-__attribute__((hot))
-void demod_9600_process_sample (int chan, int sam, struct demodulator_state_s *D)
-{
-
- float fsam;
- float abs_fsam;
- float amp;
- float demod_out;
-
-#if DEBUG5
- static FILE *demod_log_fp = NULL;
- static int seq = 0; /* for log file name */
-#endif
-
- int j;
- int subchan = 0;
- int demod_data; /* Still scrambled. */
- static int descram; /* Data bit de-scrambled. */
-
-
- assert (chan >= 0 && chan < MAX_CHANS);
- assert (subchan >= 0 && subchan < MAX_SUBCHANS);
-
-
-/*
- * Filters use last 'filter_size' samples.
- *
- * First push the older samples down.
- *
- * Finally, put the most recent at the beginning.
- *
- * Future project? Rather than shifting the samples,
- * it might be faster to add another variable to keep
- * track of the most recent sample and change the
- * indexing in the later loops that multipy and add.
- */
-
- /* Scale to nice number, range -1.0 to +1.0. */
-
- fsam = sam / 32768.0;
-
- push_sample (fsam, D->raw_cb, D->lp_filter_size);
-
-/*
- * Low pass filter to reduce noise yet pass the data.
- */
-
- amp = convolve (D->raw_cb, D->lp_filter, D->lp_filter_size);
-
-/*
- * The input level can vary greatly.
- * More importantly, there could be a DC bias which we need to remove.
- *
- * Normalize the signal with automatic gain control (AGC).
- * This works by looking at the minimum and maximum signal peaks
- * and scaling the results to be roughly in the -1.0 to +1.0 range.
- */
-
- demod_out = 2.0 * agc (amp, D->agc_fast_attack, D->agc_slow_decay, &(D->m_peak), &(D->m_valley));
-
-//dw_printf ("peak=%.2f valley=%.2f amp=%.2f norm=%.2f\n", D->m_peak, D->m_valley, amp, norm);
-
- /* Throw in a little Hysteresis??? */
- /* (Not to be confused with Hysteria.) */
-
- if (demod_out > 0.01) {
- demod_data = 1;
- }
- else if (demod_out < -0.01) {
- demod_data = 0;
- }
- else {
- demod_data = D->prev_demod_data;
- }
-
-
-/*
- * Next, a PLL is used to sample near the centers of the data bits.
- *
- * D->data_clock_pll is a SIGNED 32 bit variable.
- * When it overflows from a large positive value to a negative value, we
- * sample a data bit from the demodulated signal.
- *
- * Ideally, the the demodulated signal transitions should be near
- * zero we we sample mid way between the transitions.
- *
- * Nudge the PLL by removing some small fraction from the value of
- * data_clock_pll, pushing it closer to zero.
- *
- * This adjustment will never change the sign so it won't cause
- * any erratic data bit sampling.
- *
- * If we adjust it too quickly, the clock will have too much jitter.
- * If we adjust it too slowly, it will take too long to lock on to a new signal.
- *
- * I don't think the optimal value will depend on the audio sample rate
- * because this happens for each transition from the demodulator.
- *
- * This was optimized for 1200 baud AFSK. There might be some opportunity
- * for improvement here.
- */
- D->prev_d_c_pll = D->data_clock_pll;
- D->data_clock_pll += D->pll_step_per_sample;
-
- if (D->data_clock_pll < 0 && D->prev_d_c_pll > 0) {
-
- /* Overflow. */
-
-/*
- * At this point, we need to descramble the data as
- * in hardware based designs by G3RUH and K9NG.
- *
- * http://www.amsat.org/amsat/articles/g3ruh/109/fig03.gif
- */
-
- //assert (modem.modem_type[chan] == SCRAMBLE);
-
- //if (modem.modem_type[chan] == SCRAMBLE) {
-
-
-// TODO: This needs to be rearranged to allow attempted "fixing"
-// of corrupted bits later. We need to store the original
-// received bits and do the descrambling after attempted
-// repairs. However, we also need to descramble now to
-// detect the flag sequences.
-
-
- descram = descramble (demod_data, &(D->lfsr));
-#if SLICENDICE
- // TODO: Needs more thought.
- // Does it even make sense to remember demod_out in this case?
- // We would need to do the re-thresholding before descrambling.
- //hdlc_rec_bit_sam (chan, subchan, descram, descram ? 1.0 : -1.0);
-#else
-
-// TODO: raw received bit and true later.
-
- hdlc_rec_bit (chan, subchan, descram, 0, D->lfsr);
-
-#endif
-
- //D->prev_descram = descram;
- //}
- //else {
- /* Baseband signal for completeness - not in common use. */
-#if SLICENDICE
- //hdlc_rec_bit_sam (chan, subchan, demod_data, demod_data ? 1.0 : -1.0);
-#else
- //hdlc_rec_bit (chan, subchan, demod_data);
-#endif
- //}
- }
-
- if (demod_data != D->prev_demod_data) {
-
- // Note: Test for this demodulator, not overall for channel.
-
- if (hdlc_rec_data_detect_1 (chan, subchan)) {
- D->data_clock_pll = (int)(D->data_clock_pll * D->pll_locked_inertia);
- }
- else {
- D->data_clock_pll = (int)(D->data_clock_pll * D->pll_searching_inertia);
- }
- }
-
-
-#if DEBUG5
-
- //if (chan == 0) {
- if (hdlc_rec_data_detect_1 (chan,subchan)) {
-
- char fname[30];
-
-
- if (demod_log_fp == NULL) {
- seq++;
- sprintf (fname, "demod96/%04d.csv", seq);
- if (seq == 1) mkdir ("demod96"
-#ifndef __WIN32__
- , 0777
-#endif
- );
-
- demod_log_fp = fopen (fname, "w");
- text_color_set(DW_COLOR_DEBUG);
- dw_printf ("Starting 9600 decoder log file %s\n", fname);
- fprintf (demod_log_fp, "Audio, Peak, Valley, Demod, SData, Descram, Clock\n");
- }
- fprintf (demod_log_fp, "%.3f, %.3f, %.3f, %.3f, %.2f, %.2f, %.2f\n",
- 0.5 * fsam + 3.5,
- 0.5 * D->m_peak + 3.5,
- 0.5 * D->m_valley + 3.5,
- 0.5 * demod_out + 2.0,
- demod_data ? 1.35 : 1.0,
- descram ? .9 : .55,
- (D->data_clock_pll & 0x80000000) ? .1 : .45);
- }
- else {
- if (demod_log_fp != NULL) {
- fclose (demod_log_fp);
- demod_log_fp = NULL;
- }
- }
- //}
-
-#endif
-
-
-/*
- * Remember demodulator output (pre-descrambling) so we can compare next time
- * for the DPLL sync.
- */
- D->prev_demod_data = demod_data;
-
-} /* end demod_9600_process_sample */
-
-
-
-/* end demod_9600.c */
diff --git a/demod_9600.h b/demod_9600.h
deleted file mode 100644
index 39bbcb89..00000000
--- a/demod_9600.h
+++ /dev/null
@@ -1,21 +0,0 @@
-
-
-/* demod_9600.h */
-
-void demod_9600_init (int samples_per_sec, int baud, struct demodulator_state_s *D);
-
-void demod_9600_process_sample (int chan, int sam, struct demodulator_state_s *D);
-
-
-
-
-/* Undo data scrambling for 9600 baud. */
-
-static inline int descramble (int in, int *state)
-{
- int out;
-
- out = (in ^ (*state >> 16) ^ (*state >> 11)) & 1;
- *state = (*state << 1) | (in & 1);
- return (out);
-}
diff --git a/demod_afsk.c b/demod_afsk.c
deleted file mode 100644
index 091f8239..00000000
--- a/demod_afsk.c
+++ /dev/null
@@ -1,977 +0,0 @@
-//
-// This file is part of Dire Wolf, an amateur radio packet TNC.
-//
-// Copyright (C) 2011,2012,2013,2014 John Langner, WB2OSZ
-//
-// This program is free software: you can redistribute it and/or modify
-// it under the terms of the GNU General Public License as published by
-// the Free Software Foundation, either version 2 of the License, or
-// (at your option) any later version.
-//
-// This program is distributed in the hope that it will be useful,
-// but WITHOUT ANY WARRANTY; without even the implied warranty of
-// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
-// GNU General Public License for more details.
-//
-// You should have received a copy of the GNU General Public License
-// along with this program. If not, see .
-//
-
-
-// #define DEBUG1 1 /* display debugging info */
-
-// #define DEBUG3 1 /* print carrier detect changes. */
-
-// #define DEBUG4 1 /* capture AFSK demodulator output to log files */
-
-// #define DEBUG5 1 /* capture 9600 output to log files */
-
-
-/*------------------------------------------------------------------
- *
- * Module: demod_afsk.c
- *
- * Purpose: Demodulator for Audio Frequency Shift Keying (AFSK).
- *
- * Input: Audio samples from either a file or the "sound card."
- *
- * Outputs: Calls hdlc_rec_bit() for each bit demodulated.
- *
- *---------------------------------------------------------------*/
-
-
-
-#include
-#include
-#include
-#include
-#include
-#include
-#include
-#include
-
-#include "direwolf.h"
-#include "audio.h"
-//#include "fsk_demod.h"
-//#include "gen_tone.h"
-#include "tune.h"
-#include "fsk_demod_state.h"
-#include "fsk_gen_filter.h"
-#include "hdlc_rec.h"
-#include "textcolor.h"
-#include "demod_afsk.h"
-#include "dsp.h"
-
-#define MIN(a,b) ((a)<(b)?(a):(b))
-#define MAX(a,b) ((a)>(b)?(a):(b))
-
-
-
-
-/* Quick approximation to sqrt(x*x+y*y) */
-/* No benefit for regular PC. */
-/* Should help with microcomputer platform. */
-
-
-__attribute__((hot))
-static inline float z (float x, float y)
-{
- x = fabsf(x);
- y = fabsf(y);
-
- if (x > y) {
- return (x * .941246 + y * .41);
- }
- else {
- return (y * .941246 + x * .41);
- }
-}
-
-/* Add sample to buffer and shift the rest down. */
-
-__attribute__((hot))
-static inline void push_sample (float val, float *buff, int size)
-{
- int j;
-
- // TODO: memmove any faster?
- for (j = size - 1; j >= 1; j--) {
- buff[j] = buff[j-1];
- }
- buff[0] = val;
-}
-
-
-/* FIR filter kernel. */
-
-__attribute__((hot))
-static inline float convolve (const float *data, const float *filter, int filter_size)
-{
- float sum = 0;
- int j;
-
- for (j=0; j= *ppeak) {
- *ppeak = in * fast_attack + *ppeak * (1. - fast_attack);
- }
- else {
- *ppeak = in * slow_decay + *ppeak * (1. - slow_decay);
- }
-
- if (in <= *pvalley) {
- *pvalley = in * fast_attack + *pvalley * (1. - fast_attack);
- }
- else {
- *pvalley = in * slow_decay + *pvalley * (1. - slow_decay);
- }
-
- if (*ppeak > *pvalley) {
- return ((in - 0.5 * (*ppeak + *pvalley)) / (*ppeak - *pvalley));
- }
- return (0.0);
-}
-
-
-
-/*------------------------------------------------------------------
- *
- * Name: demod_afsk_init
- *
- * Purpose: Initialization for an AFSK demodulator.
- * Select appropriate parameters and set up filters.
- *
- * Inputs: samples_per_sec
- * baud
- * mark_freq
- * space_freq
- *
- * D - Pointer to demodulator state for given channel.
- *
- * Outputs: D->ms_filter_size
- * D->m_sin_table[]
- * D->m_cos_table[]
- * D->s_sin_table[]
- * D->s_cos_table[]
- *
- * Returns: None.
- *
- * Bugs: This doesn't do much error checking so don't give it
- * anything crazy.
- *
- *----------------------------------------------------------------*/
-
-void demod_afsk_init (int samples_per_sec, int baud, int mark_freq,
- int space_freq, char profile, struct demodulator_state_s *D)
-{
-
- int j;
-
- memset (D, 0, sizeof(struct demodulator_state_s));
-
-#if DEBUG1
- dw_printf ("demod_afsk_init (rate=%d, baud=%d, mark=%d, space=%d, profile=%c\n",
- samples_per_sec, baud, mark_freq, space_freq, profile);
-#endif
-
-#ifdef TUNE_PROFILE
- profile = TUNE_PROFILE;
-#endif
-
- if (toupper(profile) == 'F') {
-
- if (baud != DEFAULT_BAUD ||
- mark_freq != DEFAULT_MARK_FREQ ||
- space_freq!= DEFAULT_SPACE_FREQ ||
- samples_per_sec != DEFAULT_SAMPLES_PER_SEC) {
-
- text_color_set(DW_COLOR_INFO);
- dw_printf ("Note: Decoder 'F' works only for %d baud, %d/%d tones, %d samples/sec.\n",
- DEFAULT_BAUD, DEFAULT_MARK_FREQ, DEFAULT_SPACE_FREQ, DEFAULT_SAMPLES_PER_SEC);
- dw_printf ("Using Decoder 'A' instead.\n");
- profile = 'A';
- }
- }
-
- if (profile == 'a' || profile == 'A' || profile == 'f' || profile == 'F') {
-
- /* Original. 52 taps, truncated bandpass, IIR lowpass */
- /* 'F' is the fast version for low end processors. */
- /* It is a special case that works only for a particular */
- /* baud rate, tone pair, and sampling rate. */
-
- D->filter_len_bits = 1.415; /* 52 @ 44100, 1200 */
- D->bp_window = BP_WINDOW_TRUNCATED;
- D->lpf_use_fir = 0;
- D->lpf_iir = 0.195;
- D->lpf_baud = 0;
- D->agc_fast_attack = 0.250;
- D->agc_slow_decay = 0.00012;
- D->hysteresis = 0.005;
- D->pll_locked_inertia = 0.700;
- D->pll_searching_inertia = 0.580;
- }
- else if (profile == 'b' || profile == 'B') {
-
- /* Original bandpass. Use FIR lowpass instead. */
-
- D->filter_len_bits = 1.415; /* 52 @ 44100, 1200 */
- D->bp_window = BP_WINDOW_TRUNCATED;
- D->lpf_use_fir = 1;
- D->lpf_iir = 0;
- D->lpf_baud = 1.09;
- D->agc_fast_attack = 0.370;
- D->agc_slow_decay = 0.00014;
- D->hysteresis = 0.003;
- D->pll_locked_inertia = 0.620;
- D->pll_searching_inertia = 0.350;
- }
- else if (profile == 'c' || profile == 'C') {
-
- /* Cosine window, 76 taps for bandpass, FIR lowpass. */
-
- D->filter_len_bits = 2.068; /* 76 @ 44100, 1200 */
- D->bp_window = BP_WINDOW_COSINE;
- D->lpf_use_fir = 1;
- D->lpf_iir = 0;
- D->lpf_baud = 1.09;
- D->agc_fast_attack = 0.495;
- D->agc_slow_decay = 0.00022;
- D->hysteresis = 0.005;
- D->pll_locked_inertia = 0.620;
- D->pll_searching_inertia = 0.350;
- }
- else if (profile == 'd' || profile == 'D') {
-
- /* Prefilter, Cosine window, FIR lowpass. Tweeked for 300 baud. */
-
- D->use_prefilter = 1; /* first, a bandpass filter. */
- D->prefilter_baud = 0.87; /* Cosine window. */
- D->filter_len_bits = 1.857; /* 91 @ 44100/3, 300 */
- D->bp_window = BP_WINDOW_COSINE;
- D->lpf_use_fir = 1;
- D->lpf_iir = 0;
- D->lpf_baud = 1.10;
- D->agc_fast_attack = 0.495;
- D->agc_slow_decay = 0.00022;
- D->hysteresis = 0.027;
- D->pll_locked_inertia = 0.620;
- D->pll_searching_inertia = 0.350;
- }
- else {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Invalid filter profile = %c\n", profile);
- exit (1);
- }
-
-
-#if defined(TUNE_AGC_FAST) && defined(TUNE_AGC_SLOW)
- D->agc_fast_attack = TUNE_AGC_FAST;
- D->agc_slow_decay = TUNE_AGC_SLOW;
-#endif
-#ifdef TUNE_HYST
- D->hysteresis = TUNE_HYST;
-#endif
-#if defined(TUNE_PLL_LOCKED) && defined(TUNE_PLL_SEARCHING)
- D->pll_locked_inertia = TUNE_PLL_LOCKED;
- D->pll_searching_inertia = TUNE_PLL_SEARCHING;
-#endif
-#ifdef TUNE_LPF_BAUD
- D->lpf_baud = TUNE_LPF_BAUD;
-#endif
-#ifdef TUNE_PRE_BAUD
- D->prefilter_baud = TUNE_PRE_BAUD;
-#endif
-
-/*
- * Calculate constants used for timing.
- * The audio sample rate must be at least a few times the data rate.
- */
-
- D->pll_step_per_sample = (int) round((TICKS_PER_PLL_CYCLE * (double)baud) / ((double)samples_per_sec));
-
-
-/*
- * My initial guess at length of filter was about one bit time.
- * By trial and error, the optimal value was found to somewhat longer.
- * This was optimized for 44,100 sample rate, 1200 baud, 1200/2200 Hz.
- * More experimentation is needed for other situations.
- */
-
- D->ms_filter_size = (int) round( D->filter_len_bits * (float)samples_per_sec / (float)baud );
-
-/* Experiment with other sizes. */
-
-#if defined(TUNE_MS_FILTER_SIZE)
- D->ms_filter_size = TUNE_MS_FILTER_SIZE;
-#endif
- D->lp_filter_size = D->ms_filter_size;
-
- assert (D->ms_filter_size >= 4);
-
- if (D->ms_filter_size > MAX_FILTER_SIZE)
- {
- text_color_set (DW_COLOR_ERROR);
- dw_printf ("Calculated filter size of %d is too large.\n", D->ms_filter_size);
- dw_printf ("Decrease the audio sample rate or increase the baud rate or\n");
- dw_printf ("recompile the application with MAX_FILTER_SIZE larger than %d.\n",
- MAX_FILTER_SIZE);
- exit (1);
- }
-
-
-/*
- * For narrow AFSK (e.g. 200 Hz shift), it might be beneficial to
- * have a bandpass filter before the mark/space detector.
- * For now, make it the same number of taps for simplicity.
- */
-
- if (D->use_prefilter) {
- float f1, f2;
-
- f1 = MIN(mark_freq,space_freq) - D->prefilter_baud * baud;
- f2 = MAX(mark_freq,space_freq) + D->prefilter_baud * baud;
-#if 0
- text_color_set(DW_COLOR_DEBUG);
- dw_printf ("Generating prefilter %.0f to %.0f Hz.\n", f1, f2);
-#endif
- f1 = f1 / (float)samples_per_sec;
- f2 = f2 / (float)samples_per_sec;
-
- //gen_bandpass (f1, f2, D->pre_filter, D->ms_filter_size, BP_WINDOW_HAMMING);
- //gen_bandpass (f1, f2, D->pre_filter, D->ms_filter_size, BP_WINDOW_BLACKMAN);
- gen_bandpass (f1, f2, D->pre_filter, D->ms_filter_size, BP_WINDOW_COSINE);
- }
-
-/*
- * Filters for detecting mark and space tones.
- */
-#if DEBUG1
- text_color_set(DW_COLOR_DEBUG);
- dw_printf ("%s: \n", __FILE__);
- dw_printf ("%d baud, %d samples_per_sec\n", baud, samples_per_sec);
- dw_printf ("AFSK %d & %d Hz\n", mark_freq, space_freq);
- dw_printf ("spll_step_per_sample = %d = 0x%08x\n", D->pll_step_per_sample, D->pll_step_per_sample);
- dw_printf ("D->ms_filter_size = %d = 0x%08x\n", D->ms_filter_size, D->ms_filter_size);
- dw_printf ("\n");
- dw_printf ("Mark\n");
- dw_printf (" j shape M sin M cos \n");
-#endif
-
- for (j=0; jms_filter_size; j++) {
- float am;
- float center;
- float shape = 1; /* Shape is an attempt to smooth out the */
- /* abrupt edges in hopes of reducing */
- /* overshoot and ringing. */
- /* My first thought was to use a cosine shape. */
- /* Should investigate Hamming and Blackman */
- /* windows mentioned in the literature. */
- /* http://en.wikipedia.org/wiki/Window_function */
-
- center = 0.5 * (D->ms_filter_size - 1);
- am = ((float)(j - center) / (float)samples_per_sec) * ((float)mark_freq) * (2 * M_PI);
-
- shape = window (D->bp_window, D->ms_filter_size, j);
-
- D->m_sin_table[j] = sin(am) * shape;
- D->m_cos_table[j] = cos(am) * shape;
-
-#if DEBUG1
- dw_printf ("%6d %6.2f %6.2f %6.2f\n", j, shape, D->m_sin_table[j], D->m_cos_table[j]) ;
-#endif
- }
-
-
-#if DEBUG1
- text_color_set(DW_COLOR_DEBUG);
-
- dw_printf ("Space\n");
- dw_printf (" j shape S sin S cos\n");
-#endif
- for (j=0; jms_filter_size; j++) {
- float as;
- float center;
- float shape = 1;
-
- center = 0.5 * (D->ms_filter_size - 1);
- as = ((float)(j - center) / (float)samples_per_sec) * ((float)space_freq) * (2 * M_PI);
-
- shape = window (D->bp_window, D->ms_filter_size, j);
-
- D->s_sin_table[j] = sin(as) * shape;
- D->s_cos_table[j] = cos(as) * shape;
-
-#if DEBUG1
- dw_printf ("%6d %6.2f %6.2f %6.2f\n", j, shape, D->s_sin_table[j], D->s_cos_table[j] ) ;
-#endif
- }
-
-
-/* Do we want to normalize for unity gain? */
-
-
-/*
- * Now the lowpass filter.
- * I thought we'd want a cutoff of about 0.5 the baud rate
- * but it turns out about 1.1x is better. Still investigating...
- */
-
- if (D->lpf_use_fir) {
- float fc;
- fc = baud * D->lpf_baud / (float)samples_per_sec;
- gen_lowpass (fc, D->lp_filter, D->lp_filter_size, BP_WINDOW_TRUNCATED);
- }
-
-/*
- * A non-whole number of cycles results in a DC bias.
- * Let's see if it helps to take it out.
- * Actually makes things worse: 20 fewer decoded.
- * Might want to try again after EXPERIMENTC.
- */
-
-#if 0
-#ifndef AVOID_FLOATING_POINT
-
-failed experiment
-
- dc_bias = 0;
- for (j=0; jms_filter_size; j++) {
- dc_bias += D->m_sin_table[j];
- }
- for (j=0; jms_filter_size; j++) {
- D->m_sin_table[j] -= dc_bias / D->ms_filter_size;
- }
-
- dc_bias = 0;
- for (j=0; jms_filter_size; j++) {
- dc_bias += D->m_cos_table[j];
- }
- for (j=0; jms_filter_size; j++) {
- D->m_cos_table[j] -= dc_bias / D->ms_filter_size;
- }
-
-
- dc_bias = 0;
- for (j=0; jms_filter_size; j++) {
- dc_bias += D->s_sin_table[j];
- }
- for (j=0; jms_filter_size; j++) {
- D->s_sin_table[j] -= dc_bias / D->ms_filter_size;
- }
-
- dc_bias = 0;
- for (j=0; jms_filter_size; j++) {
- dc_bias += D->s_cos_table[j];
- }
- for (j=0; jms_filter_size; j++) {
- D->s_cos_table[j] -= dc_bias / D->ms_filter_size;
- }
-
-#endif
-#endif
-
-} /* fsk_gen_filter */
-
-
-#if GEN_FFF
-
-
-
-// Properties of the radio channels.
-
-static struct audio_s modem;
-
-
-// Filters will be stored here.
-
-static struct demodulator_state_s ds;
-
-
-#define SPARSE 3
-
-
-static void emit_macro (char *name, int size, float *coeff)
-{
- int i;
-
- dw_printf ("#define %s(x) \\\n", name);
-
- for (i=SPARSE/2; i= 0 && chan < MAX_CHANS);
- assert (subchan >= 0 && subchan < MAX_SUBCHANS);
-
-
-
-
-
-/*
- * Filters use last 'filter_size' samples.
- *
- * First push the older samples down.
- *
- * Finally, put the most recent at the beginning.
- *
- * Future project? Can we do better than shifting each time?
- */
-
- /* Scale to nice number, TODO: range -1.0 to +1.0, not 2. */
-
- fsam = sam / 16384.0;
-
-/*
- * Accumulate measure of the input signal level.
- */
- abs_fsam = fsam >= 0 ? fsam : -fsam;
-
-// TODO: move to common code
-
- if (abs_fsam > D->lev_peak_acc) {
- D->lev_peak_acc = abs_fsam;
- }
- D->lev_sum_acc += abs_fsam;
-
- D->lev_count++;
- if (D->lev_count >= D->lev_period) {
- D->lev_prev_peak = D->lev_last_peak;
- D->lev_last_peak = D->lev_peak_acc;
- D->lev_peak_acc = 0;
-
- D->lev_prev_ave = D->lev_last_ave;
- D->lev_last_ave = D->lev_sum_acc / D->lev_count;
- D->lev_sum_acc = 0;
-
- D->lev_count = 0;
- }
-
-/*
- * Optional bandpass filter before the mark/space discriminator.
- */
-
- if (D->use_prefilter) {
- float cleaner;
-
- push_sample (fsam, D->raw_cb, D->ms_filter_size);
- cleaner = convolve (D->raw_cb, D->pre_filter, D->ms_filter_size);
- push_sample (cleaner, D->ms_in_cb, D->ms_filter_size);
- }
- else {
- push_sample (fsam, D->ms_in_cb, D->ms_filter_size);
- }
-
-/*
- * Next we have bandpass filters for the mark and space tones.
- *
- * This takes a lot of computation.
- * It's not a problem on a typical (Intel x86 based) PC.
- * Dire Wolf takes only about 2 or 3% of the CPU time.
- *
- * It might be too much for a little microcomputer to handle.
- *
- * Here we have an optimized case for the default values.
- */
-
-
-
-// TODO: How do we test for profile F here?
-
- if (0) {
- //if (toupper(modem.profiles[chan][subchan]) == toupper(FFF_PROFILE)) {
-
- /* ========== Faster for default values on slower processors. ========== */
-
- m_sum1 = CALC_M_SUM1(D->ms_in_cb);
- m_sum2 = CALC_M_SUM2(D->ms_in_cb);
- m_amp = z(m_sum1,m_sum2);
-
- s_sum1 = CALC_S_SUM1(D->ms_in_cb);
- s_sum2 = CALC_S_SUM2(D->ms_in_cb);
- s_amp = z(s_sum1,s_sum2);
- }
- else {
-
- /* ========== General case to handle all situations. ========== */
-
-/*
- * find amplitude of "Mark" tone.
- */
- m_sum1 = convolve (D->ms_in_cb, D->m_sin_table, D->ms_filter_size);
- m_sum2 = convolve (D->ms_in_cb, D->m_cos_table, D->ms_filter_size);
-
- m_amp = sqrtf(m_sum1 * m_sum1 + m_sum2 * m_sum2);
-
-/*
- * Find amplitude of "Space" tone.
- */
- s_sum1 = convolve (D->ms_in_cb, D->s_sin_table, D->ms_filter_size);
- s_sum2 = convolve (D->ms_in_cb, D->s_cos_table, D->ms_filter_size);
-
- s_amp = sqrtf(s_sum1 * s_sum1 + s_sum2 * s_sum2);
-
- /* ========== End of general case. ========== */
- }
-
-
-/*
- * Apply some low pass filtering BEFORE the AGC to remove
- * overshoot, ringing, and other bad stuff.
- *
- * A simple IIR filter is faster but FIR produces better results.
- *
- * It is a balancing act between removing high frequency components
- * from the tone dectection while letting the data thru.
- */
-
- if (D->lpf_use_fir) {
-
- push_sample (m_amp, D->m_amp_cb, D->lp_filter_size);
- m_amp = convolve (D->m_amp_cb, D->lp_filter, D->lp_filter_size);
-
- push_sample (s_amp, D->s_amp_cb, D->lp_filter_size);
- s_amp = convolve (D->s_amp_cb, D->lp_filter, D->lp_filter_size);
- }
- else {
-
- /* Original, but faster, IIR. */
-
- m_amp = D->lpf_iir * m_amp + (1.0 - D->lpf_iir) * D->m_amp_prev;
- D->m_amp_prev = m_amp;
-
- s_amp = D->lpf_iir * s_amp + (1.0 - D->lpf_iir) * D->s_amp_prev;
- D->s_amp_prev = s_amp;
- }
-
-/*
- * Which tone is stronger?
- *
- * Under real conditions, we find that the higher tone has a
- * considerably smaller amplitude due to the passband characteristics
- * of the transmitter and receiver. To make matters worse, it
- * varies considerably from one station to another.
- *
- * The two filters have different amounts of DC bias.
- *
- * Try to compensate for this by normalizing them separately with automatic gain
- * control (AGC). This works by looking at the minimum and maximum outputs
- * for each filter and scaling the results to be roughly in the -0.5 to +0.5 range.
- */
-
- /* Fast attack and slow decay. */
- /* Numbers were obtained by trial and error from actual */
- /* recorded less-than-optimal signals. */
-
- /* See agc.c and fsk_demod_agc.h for more information. */
-
- m_norm = agc (m_amp, D->agc_fast_attack, D->agc_slow_decay, &(D->m_peak), &(D->m_valley));
- s_norm = agc (s_amp, D->agc_fast_attack, D->agc_slow_decay, &(D->s_peak), &(D->s_valley));
-
- /* Demodulator output is difference between response from two filters. */
- /* AGC should generally keep this around -1 to +1 range. */
-
- demod_out = m_norm - s_norm;
-
-/* Try adding some Hysteresis. */
-/* (Not to be confused with Hysteria.) */
-
- if (demod_out > D->hysteresis) {
- demod_data = 1;
- }
- else if (demod_out < (- (D->hysteresis))) {
- demod_data = 0;
- }
- else {
- demod_data = D->prev_demod_data;
- }
-
-
-/*
- * Finally, a PLL is used to sample near the centers of the data bits.
- *
- * D->data_clock_pll is a SIGNED 32 bit variable.
- * When it overflows from a large positive value to a negative value, we
- * sample a data bit from the demodulated signal.
- *
- * Ideally, the the demodulated signal transitions should be near
- * zero we we sample mid way between the transitions.
- *
- * Nudge the PLL by removing some small fraction from the value of
- * data_clock_pll, pushing it closer to zero.
- *
- * This adjustment will never change the sign so it won't cause
- * any erratic data bit sampling.
- *
- * If we adjust it too quickly, the clock will have too much jitter.
- * If we adjust it too slowly, it will take too long to lock on to a new signal.
- *
- * Be a little more agressive about adjusting the PLL
- * phase when searching for a signal. Don't change it as much when
- * locked on to a signal.
- *
- * I don't think the optimal value will depend on the audio sample rate
- * because this happens for each transition from the demodulator.
- */
- D->prev_d_c_pll = D->data_clock_pll;
- D->data_clock_pll += D->pll_step_per_sample;
-
- //text_color_set(DW_COLOR_DEBUG);
- // dw_printf ("prev = %lx, new data clock pll = %lx\n" D->prev_d_c_pll, D->data_clock_pll);
-
- if (D->data_clock_pll < 0 && D->prev_d_c_pll > 0) {
-
- /* Overflow. */
-#if SLICENDICE
- hdlc_rec_bit_sam (chan, subchan, demod_data, demod_out);
-#else
- hdlc_rec_bit (chan, subchan, demod_data, 0, -1);
-#endif
- }
-
- if (demod_data != D->prev_demod_data) {
-
- // Note: Test for this demodulator, not overall for channel.
-
- if (hdlc_rec_data_detect_1 (chan, subchan)) {
- D->data_clock_pll = (int)(D->data_clock_pll * D->pll_locked_inertia);
- }
- else {
- D->data_clock_pll = (int)(D->data_clock_pll * D->pll_searching_inertia);
- }
- }
-
-
-#if DEBUG4
-
- if (chan == 0) {
- if (hdlc_rec_data_detect_1 (chan, subchan)) {
- char fname[30];
-
-
- if (demod_log_fp == NULL) {
- seq++;
- sprintf (fname, "demod/%04d.csv", seq);
- if (seq == 1) mkdir ("demod", 0777);
-
- demod_log_fp = fopen (fname, "w");
- text_color_set(DW_COLOR_DEBUG);
- dw_printf ("Starting demodulator log file %s\n", fname);
- fprintf (demod_log_fp, "Audio, Mark, Space, Demod, Data, Clock\n");
- }
- fprintf (demod_log_fp, "%.3f, %.3f, %.3f, %.3f, %.2f, %.2f\n", fsam + 3.5, m_norm + 2, s_norm + 2,
- (m_norm - s_norm) / 2 + 1.5,
- demod_data ? .9 : .55,
- (D->data_clock_pll & 0x80000000) ? .1 : .45);
- }
- else {
- if (demod_log_fp != NULL) {
- fclose (demod_log_fp);
- demod_log_fp = NULL;
- }
- }
- }
-
-#endif
-
-
-/*
- * Remember demodulator output so we can compare next time.
- */
- D->prev_demod_data = demod_data;
-
-
-} /* end demod_afsk_process_sample */
-
-#endif /* GEN_FFF */
-
-
-#if 0
-
-/*-------------------------------------------------------------------
- *
- * Name: fsk_demod_print_agc
- *
- * Purpose: Print information about input signal amplitude.
- * This will be useful for adjusting transmitter audio levels.
- * We also want to avoid having an input level so high
- * that the A/D converter "clips" the signal.
- *
- *
- * Inputs: chan - Audio channel. 0 for left, 1 for right.
- *
- * Returns: None
- *
- * Descripion: Not sure what to use for final form.
- * For now display the AGC peaks for both tones.
- * This will be called at the end of a frame.
- *
- * Future: Come up with a sensible scale and add command line option.
- * Probably makes more sense to return a single number
- * and let the caller print it.
- * Just an experiment for now.
- *
- *--------------------------------------------------------------------*/
-
-#if 0
-void fsk_demod_print_agc (int chan, int subchan)
-{
-
- struct demodulator_state_s *D;
-
-
- assert (chan >= 0 && chan < MAX_CHANS);
- assert (subchan >= 0 && subchan < MAX_SUBCHANS);
-
- D = &demodulator_state[chan][subchan];
-
- dw_printf ("%d\n", (int)((D->lev_last_peak + D->lev_prev_peak)*50));
-
-
-
- //dw_printf ("Peak= %.2f, %.2f Ave= %.2f, %.2f AGC M= %.2f / %.2f S= %.2f / %.2f\n",
- // D->lev_last_peak, D->lev_prev_peak, D->lev_last_ave, D->lev_prev_ave,
- // D->m_peak, D->m_valley, D->s_peak, D->s_valley);
-
-}
-#endif
-
-/* Resulting scale is 0 to almost 100. */
-/* Cranking up the input level produces no more than 97 or 98. */
-/* We currently produce a message when this goes over 90. */
-
-int fsk_demod_get_audio_level (int chan, int subchan)
-{
- struct demodulator_state_s *D;
-
-
- assert (chan >= 0 && chan < MAX_CHANS);
- assert (subchan >= 0 && subchan < MAX_SUBCHANS);
-
- D = &demodulator_state[chan][subchan];
-
- return ( (int) ((D->lev_last_peak + D->lev_prev_peak) * 50 ) );
-}
-
-
-
-
-#endif /* 0 */
-
-/* end demod_afsk.c */
diff --git a/direwolf-block-diagram.png b/direwolf-block-diagram.png
new file mode 100644
index 00000000..ad339b7e
Binary files /dev/null and b/direwolf-block-diagram.png differ
diff --git a/direwolf.c b/direwolf.c
deleted file mode 100644
index 42b074bf..00000000
--- a/direwolf.c
+++ /dev/null
@@ -1,885 +0,0 @@
-//
-// This file is part of Dire Wolf, an amateur radio packet TNC.
-//
-// Copyright (C) 2011, 2012, 2013 John Langner, WB2OSZ
-//
-// This program is free software: you can redistribute it and/or modify
-// it under the terms of the GNU General Public License as published by
-// the Free Software Foundation, either version 2 of the License, or
-// (at your option) any later version.
-//
-// This program is distributed in the hope that it will be useful,
-// but WITHOUT ANY WARRANTY; without even the implied warranty of
-// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
-// GNU General Public License for more details.
-//
-// You should have received a copy of the GNU General Public License
-// along with this program. If not, see .
-//
-
-
-/*------------------------------------------------------------------
- *
- * Module: direwolf.c
- *
- * Purpose: Main program for "Dire Wolf" which includes:
- *
- * AFSK modem using the "sound card."
- * AX.25 encoder/decoder.
- * APRS data encoder / decoder.
- * APRS digipeater.
- * KISS TNC emulator.
- * APRStt (touch tone input) gateway
- * Internet Gateway (IGate)
- *
- *
- *---------------------------------------------------------------*/
-
-#include
-#include
-#include
-#include
-#include
-#include
-#include
-
-#if __WIN32__
-#else
-#include
-#include
-#include
-#include
-#include
-#include
-#include
-#include
-#endif
-
-
-#define DIREWOLF_C 1
-
-#include "direwolf.h"
-#include "version.h"
-#include "audio.h"
-#include "config.h"
-#include "multi_modem.h"
-#include "demod.h"
-#include "hdlc_rec.h"
-#include "hdlc_rec2.h"
-#include "ax25_pad.h"
-#include "decode_aprs.h"
-#include "textcolor.h"
-#include "server.h"
-#include "kiss.h"
-#include "kissnet.h"
-#include "gen_tone.h"
-#include "digipeater.h"
-#include "tq.h"
-#include "xmit.h"
-#include "ptt.h"
-#include "beacon.h"
-#include "ax25_pad.h"
-#include "redecode.h"
-#include "dtmf.h"
-#include "aprs_tt.h"
-#include "tt_user.h"
-#include "igate.h"
-#include "symbols.h"
-#include "dwgps.h"
-
-
-#if __WIN32__
-static BOOL cleanup_win (int);
-#else
-static void cleanup_linux (int);
-#endif
-
-static void usage (char **argv);
-
-#if __SSE__
-
-static void __cpuid(int cpuinfo[4], int infotype){
- __asm__ __volatile__ (
- "cpuid":
- "=a" (cpuinfo[0]),
- "=b" (cpuinfo[1]),
- "=c" (cpuinfo[2]),
- "=d" (cpuinfo[3]) :
- "a" (infotype)
- );
-}
-
-#endif
-
-
-/*-------------------------------------------------------------------
- *
- * Name: main
- *
- * Purpose: Main program for packet radio virtual TNC.
- *
- * Inputs: Command line arguments.
- * See usage message for details.
- *
- * Outputs: Decoded information is written to stdout.
- *
- * A socket and pseudo terminal are created for
- * for communication with other applications.
- *
- *--------------------------------------------------------------------*/
-
-static struct audio_s modem;
-
-static int d_u_opt = 0; /* "-d u" command line option. */
-
-
-
-int main (int argc, char *argv[])
-{
- int err;
- int eof;
- int j;
- char config_file[100];
- int xmit_calibrate_option = 0;
- int enable_pseudo_terminal = 0;
- struct digi_config_s digi_config;
- struct tt_config_s tt_config;
- struct igate_config_s igate_config;
- struct misc_config_s misc_config;
- int r_opt = 0, n_opt = 0, b_opt = 0, B_opt = 0, D_opt = 0; /* Command line options. */
- char input_file[80];
-
- int t_opt = 1; /* Text color option. */
-
-
-#if __WIN32__
-
-// Select UTF-8 code page for console output.
-// http://msdn.microsoft.com/en-us/library/windows/desktop/ms686036(v=vs.85).aspx
-// This is the default I see for windows terminal:
-// >chcp
-// Active code page: 437
-
- //Restore on exit? oldcp = GetConsoleOutputCP();
- SetConsoleOutputCP(CP_UTF8);
-
-#elif __CYGWIN__
-
-/*
- * Without this, the ISO Latin 1 characters are displayed as gray boxes.
- */
- //setenv ("LANG", "C.ISO-8859-1", 1);
-#else
-
-/*
- * Default on Raspian & Ubuntu Linux is fine. Don't know about others.
- *
- * Should we look at LANG environment variable and issue a warning
- * if it doesn't look something like en_US.UTF-8 ?
- */
-
-#endif
-
-/*
- * Pre-scan the command line options for the text color option.
- * We need to set this before any text output.
- */
-
- t_opt = 1; /* 1 = normal, 0 = no text colors. */
- for (j=1; j= 1) {
- __cpuid (cpuinfo, 1);
- //dw_printf ("debug: cpuinfo = %x, %x, %x, %x\n", cpuinfo[0], cpuinfo[1], cpuinfo[2], cpuinfo[3]);
- if ( ! ( cpuinfo[3] & (1 << 25))) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("------------------------------------------------------------------\n");
- dw_printf ("This version requires a minimum of a Pentium 3 or equivalent.\n");
- dw_printf ("If you are seeing this message, you are probably using a computer\n");
- dw_printf ("from the previous century. See comments in Makefile.win for\n");
- dw_printf ("information on how you can recompile it for use with your antique.\n");
- dw_printf ("------------------------------------------------------------------\n");
- }
- }
- text_color_set(DW_COLOR_INFO);
-#endif
-
-/*
- * This has not been very well tested in 64 bit mode.
- */
-
-#if 0
- if (sizeof(int) != 4 || sizeof(long) != 4 || sizeof(char *) != 4) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("------------------------------------------------------------------\n");
- dw_printf ("This might not work properly when compiled for a 64 bit target.\n");
- dw_printf ("It is recommended that you rebuild it with gcc -m32 option.\n");
- dw_printf ("------------------------------------------------------------------\n");
- }
-#endif
-
-/*
- * Default location of configuration file is current directory.
- * Can be overridden by -c command line option.
- * TODO: Automatically search other places.
- */
-
- strcpy (config_file, "direwolf.conf");
-
-/*
- * Look at command line options.
- * So far, the only one is the configuration file location.
- */
-
- strcpy (input_file, "");
- while (1) {
- int this_option_optind = optind ? optind : 1;
- int option_index = 0;
- int c;
- static struct option long_options[] = {
- {"future1", 1, 0, 0},
- {"future2", 0, 0, 0},
- {"future3", 1, 0, 'c'},
- {0, 0, 0, 0}
- };
-
- /* ':' following option character means arg is required. */
-
- c = getopt_long(argc, argv, "B:D:c:pxr:b:n:d:t:U",
- long_options, &option_index);
- if (c == -1)
- break;
-
- switch (c) {
-
- case 0: /* possible future use */
- text_color_set(DW_COLOR_DEBUG);
- dw_printf("option %s", long_options[option_index].name);
- if (optarg) {
- dw_printf(" with arg %s", optarg);
- }
- dw_printf("\n");
- break;
-
-
- case 'c': /* -c for configuration file name */
-
- strcpy (config_file, optarg);
- break;
-
-#if __WIN32__
-#else
- case 'p': /* -p enable pseudo terminal */
-
- /* We want this to be off by default because it hangs */
- /* eventually when nothing is reading from other side. */
-
- enable_pseudo_terminal = 1;
- break;
-#endif
-
- case 'B': /* -B baud rate and modem properties. */
-
- B_opt = atoi(optarg);
- if (B_opt < 100 || B_opt > 10000) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Use a more reasonable data baud rate in range of 100 - 10000.\n");
- exit (EXIT_FAILURE);
- }
- break;
-
- case 'D': /* -D decrease AFSK demodulator sample rate */
-
- D_opt = atoi(optarg);
- if (D_opt < 1 || D_opt > 8) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Crazy value of -D. \n");
- exit (EXIT_FAILURE);
- }
- break;
-
- case 'x': /* -x for transmit calibration tones. */
-
- xmit_calibrate_option = 1;
- break;
-
- case 'r': /* -r audio samples/sec. e.g. 44100 */
-
- r_opt = atoi(optarg);
- if (r_opt < MIN_SAMPLES_PER_SEC || r_opt > MAX_SAMPLES_PER_SEC)
- {
- text_color_set(DW_COLOR_ERROR);
- dw_printf("-r option, audio samples/sec, is out of range.\n");
- r_opt = 0;
- }
- break;
-
- case 'n': /* -n number of audio channels. 1 or 2. */
-
- n_opt = atoi(optarg);
- if (n_opt < 1 || n_opt > MAX_CHANS)
- {
- text_color_set(DW_COLOR_ERROR);
- dw_printf("-n option, number of audio channels, is out of range.\n");
- n_opt = 0;
- }
- break;
-
- case 'b': /* -b bits per sample. 8 or 16. */
-
- b_opt = atoi(optarg);
- if (b_opt != 8 && b_opt != 16)
- {
- text_color_set(DW_COLOR_ERROR);
- dw_printf("-b option, bits per sample, must be 8 or 16.\n");
- b_opt = 0;
- }
- break;
-
- case '?':
-
- /* Unknown option message was already printed. */
- usage (argv);
- break;
-
- case 'd': /* Set debug option. */
-
- switch (optarg[0]) {
- case 'a': server_set_debug(1); break;
- case 'k': kiss_serial_set_debug (1); break;
- case 'n': kiss_net_set_debug (1); break;
- case 'u': d_u_opt = 1; break;
- default: break;
- }
- break;
-
- case 't': /* Was handled earlier. */
- break;
-
-
- case 'U': /* Print UTF-8 test and exit. */
-
- dw_printf ("\n UTF-8 test string: ma%c%cana %c%c F%c%c%c%ce\n\n",
- 0xc3, 0xb1,
- 0xc2, 0xb0,
- 0xc3, 0xbc, 0xc3, 0x9f);
-
- exit (0);
- break;
-
-
- default:
-
- /* Should not be here. */
- text_color_set(DW_COLOR_DEBUG);
- dw_printf("?? getopt returned character code 0%o ??\n", c);
- usage (argv);
- }
- } /* end while(1) for options */
-
- if (optind < argc)
- {
-
- if (optind < argc - 1)
- {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Warning: File(s) beyond the first are ignored.\n");
- }
-
- strcpy (input_file, argv[optind]);
-
- }
-
-/*
- * Get all types of configuration settings from configuration file.
- *
- * Possibly override some by command line options.
- */
-
- symbols_init ();
-
- config_init (config_file, &modem, &digi_config, &tt_config, &igate_config, &misc_config);
-
- if (r_opt != 0) {
- modem.samples_per_sec = r_opt;
- }
- if (n_opt != 0) {
- modem.num_channels = n_opt;
- }
- if (b_opt != 0) {
- modem.bits_per_sample = b_opt;
- }
- if (B_opt != 0) {
- modem.baud[0] = B_opt;
-
- if (modem.baud[0] < 600) {
- modem.modem_type[0] = AFSK;
- modem.mark_freq[0] = 1600;
- modem.space_freq[0] = 1800;
- modem.decimate[0] = 3;
- }
- else if (modem.baud[0] > 2400) {
- modem.modem_type[0] = SCRAMBLE;
- modem.mark_freq[0] = 0;
- modem.space_freq[0] = 0;
- }
- else {
- modem.modem_type[0] = AFSK;
- modem.mark_freq[0] = 1200;
- modem.space_freq[0] = 2200;
- }
- }
-
- if (D_opt != 0) {
- // Don't document. This will change.
- modem.decimate[0] = D_opt;
- }
-
- misc_config.enable_kiss_pt = enable_pseudo_terminal;
-
- if (strlen(input_file) > 0) {
- strcpy (modem.adevice_in, input_file);
- }
-
-/*
- * Open the audio source
- * - soundcard
- * - stdin
- * - UDP
- * Files not supported at this time.
- * Can always "cat" the file and pipe it into stdin.
- */
-
- err = audio_open (&modem);
- if (err < 0) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Pointless to continue without audio device.\n");
- SLEEP_SEC(5);
- exit (1);
- }
-
-/*
- * Initialize the AFSK demodulator and HDLC decoder.
- */
- multi_modem_init (&modem);
-
-/*
- * Initialize the touch tone decoder & APRStt gateway.
- */
- dtmf_init (modem.samples_per_sec);
- aprs_tt_init (&tt_config);
- tt_user_init (&tt_config);
-
-/*
- * Should there be an option for audio output level?
- * Note: This is not the same as a volume control you would see on the screen.
- * It is the range of the digital sound representation.
-*/
- gen_tone_init (&modem, 100);
-
- assert (modem.bits_per_sample == 8 || modem.bits_per_sample == 16);
- assert (modem.num_channels == 1 || modem.num_channels == 2);
- assert (modem.samples_per_sec >= MIN_SAMPLES_PER_SEC && modem.samples_per_sec <= MAX_SAMPLES_PER_SEC);
-
-/*
- * Initialize the transmit queue.
- */
-
- xmit_init (&modem);
-
-/*
- * If -x option specified, transmit alternating tones for transmitter
- * audio level adjustment, up to 1 minute then quit.
- * TODO: enhance for more than one channel.
- */
-
- if (xmit_calibrate_option) {
-
- int max_duration = 60; /* seconds */
- int n = modem.baud[0] * max_duration;
- int chan = 0;
-
- text_color_set(DW_COLOR_INFO);
- dw_printf ("\nSending transmit calibration tones. Press control-C to terminate.\n");
-
- ptt_set (chan, 1);
- while (n-- > 0) {
-
- tone_gen_put_bit (chan, n & 1);
-
- }
- ptt_set (chan, 0);
- exit (0);
- }
-
-/*
- * Initialize the digipeater and IGate functions.
- */
- digipeater_init (&digi_config);
- igate_init (&igate_config, &digi_config);
-
-/*
- * Provide the AGW & KISS socket interfaces for use by a client application.
- */
- server_init (&misc_config);
- kissnet_init (&misc_config);
-
-/*
- * Create a pseudo terminal and KISS TNC emulator.
- */
- kiss_init (&misc_config);
-
-/*
- * Create thread for trying to salvage frames with bad FCS.
- */
- redecode_init ();
-
-/*
- * Enable beaconing.
- */
- beacon_init (&misc_config, &digi_config);
-
-
-/*
- * Get sound samples and decode them.
- * Use hot attribute for all functions called for every audio sample.
- * TODO: separate function with __attribute__((hot))
- */
- eof = 0;
- while ( ! eof)
- {
-
- int audio_sample;
- int c;
- char tt;
-
- for (c=0; c= 256 * 256)
- eof = 1;
-
- multi_modem_process_sample(c,audio_sample);
-
-
- /* Previously, the DTMF decoder was always active. */
- /* It took very little CPU time and the thinking was that an */
- /* attached application might be interested in this even when */
- /* the APRStt gateway was not being used. */
- /* Unfortunately it resulted in too many false detections of */
- /* touch tones when hearing other types of digital communications */
- /* on HF. Starting in version 1.0, the DTMF decoder is active */
- /* only when the APRStt gateway is configured. */
-
- if (tt_config.obj_xmit_header[0] != '\0') {
- tt = dtmf_sample (c, audio_sample/16384.);
- if (tt != ' ') {
- aprs_tt_button (c, tt);
- }
- }
- }
-
- /* When a complete frame is accumulated, */
- /* process_rec_frame, below, is called. */
-
- }
-
- exit (EXIT_SUCCESS);
-}
-
-
-/*-------------------------------------------------------------------
- *
- * Name: app_process_rec_frame
- *
- * Purpose: This is called when we receive a frame with a valid
- * FCS and acceptable size.
- *
- * Inputs: chan - Audio channel number, 0 or 1.
- * subchan - Which modem caught it.
- * Special case -1 for APRStt gateway.
- * pp - Packet handle.
- * alevel - Audio level, range of 0 - 100.
- * (Special case, use negative to skip
- * display of audio level line.
- * Use -2 to indicate DTMF message.)
- * retries - Level of bit correction used.
- * spectrum - Display of how well multiple decoders did.
- *
- *
- * Description: Print decoded packet.
- * Optionally send to another application.
- *
- *--------------------------------------------------------------------*/
-
-
-void app_process_rec_packet (int chan, int subchan, packet_t pp, int alevel, retry_t retries, char *spectrum)
-{
-
- char stemp[500];
- unsigned char *pinfo;
- int info_len;
- char heard[AX25_MAX_ADDR_LEN];
- //int j;
- int h;
-
- assert (chan >= 0 && chan < MAX_CHANS);
- assert (subchan >= -1 && subchan < MAX_SUBCHANS);
-
-
- ax25_format_addrs (pp, stemp);
-
- info_len = ax25_get_info (pp, &pinfo);
-
- /* Print so we can see what is going on. */
-
- /* Display audio input level. */
- /* Who are we hearing? Original station or digipeater. */
-
- if (ax25_get_num_addr(pp) == 0) {
- /* Not AX.25. No station to display below. */
- h = -1;
- strcpy (heard, "");
- }
- else {
- h = ax25_get_heard(pp);
- ax25_get_addr_with_ssid(pp, h, heard);
- }
-
- if (alevel >= 0) {
-
- text_color_set(DW_COLOR_DEBUG);
- dw_printf ("\n");
-
- if (h != -1 && h != AX25_SOURCE) {
- dw_printf ("Digipeater ");
- }
-
- /* As suggested by KJ4ERJ, if we are receiving from */
- /* WIDEn-0, it is quite likely (but not guaranteed), that */
- /* we are actually hearing the preceding station in the path. */
-
- if (h >= AX25_REPEATER_2 &&
- strncmp(heard, "WIDE", 4) == 0 &&
- isdigit(heard[4]) &&
- heard[5] == '\0') {
-
- char probably_really[AX25_MAX_ADDR_LEN];
-
- ax25_get_addr_with_ssid(pp, h-1, probably_really);
- dw_printf ("%s (probably %s) audio level = %d [%s] %s\n", heard, probably_really, alevel, retry_text[(int)retries], spectrum);
- }
- else {
- dw_printf ("%s audio level = %d [%s] %s\n", heard, alevel, retry_text[(int)retries], spectrum);
- }
-
- /* Cranking up the input currently produces */
- /* no more than 97. Issue a warning before we */
- /* reach this saturation point. */
-
- if (alevel > 90) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Audio input level is too high. Reduce so most stations are around 50.\n");
- }
- }
-
-// Display non-APRS packets in a different color.
-
-// Display subchannel only when multiple modems configured for channel.
-
-// -1 for APRStt DTMF decoder.
-
- if (subchan == -1) {
- text_color_set(DW_COLOR_REC);
- dw_printf ("[%d.dtmf] ", chan);
- }
- else {
- if (ax25_is_aprs(pp)) {
- text_color_set(DW_COLOR_REC);
- }
- else {
- text_color_set(DW_COLOR_DEBUG);
- }
- if (modem.num_subchan[chan] > 1) {
- dw_printf ("[%d.%d] ", chan, subchan);
- }
- else {
- dw_printf ("[%d] ", chan);
- }
- }
-
- dw_printf ("%s", stemp); /* stations followed by : */
- ax25_safe_print ((char *)pinfo, info_len, 0);
- dw_printf ("\n");
-
-// Display in pure ASCII if non-ASCII characters and "-d u" option specified.
-
- if (d_u_opt) {
-
- unsigned char *p;
- int n = 0;
-
- for (p = pinfo; *p != '\0'; p++) {
- if (*p >= 0x80) n++;
- }
-
- if (n > 0) {
- text_color_set(DW_COLOR_DEBUG);
- ax25_safe_print ((char *)pinfo, info_len, 1);
- dw_printf ("\n");
- }
- }
-
-/* Decode the contents of APRS frames and display in human-readable form. */
-
- if (ax25_is_aprs(pp)) {
- decode_aprs (pp);
- }
-
-/* Send to another application if connected. */
-
- int flen;
- unsigned char fbuf[AX25_MAX_PACKET_LEN];
-
- flen = ax25_pack(pp, fbuf);
-
- server_send_rec_packet (chan, pp, fbuf, flen);
- kissnet_send_rec_packet (chan, fbuf, flen);
- kiss_send_rec_packet (chan, fbuf, flen);
-
-/* Send to Internet server if option is enabled. */
-/* Consider only those with correct CRC. */
-
- if (ax25_is_aprs(pp) && retries == RETRY_NONE) {
- igate_send_rec_packet (chan, pp);
- }
-
-/* Note that packet can be modified in place so this is the last thing we should do with it. */
-/* Again, use only those with correct CRC. */
-/* We don't want to spread corrupted data! */
-/* Single bit change appears to be safe from observations so far but be cautious. */
-
- if (ax25_is_aprs(pp) && retries == RETRY_NONE) {
- digipeater (chan, pp);
- }
-
- ax25_delete (pp);
-
-} /* end app_process_rec_packet */
-
-
-/* Process control C and window close events. */
-
-#if __WIN32__
-
-static BOOL cleanup_win (int ctrltype)
-{
- if (ctrltype == CTRL_C_EVENT || ctrltype == CTRL_CLOSE_EVENT) {
- text_color_set(DW_COLOR_INFO);
- dw_printf ("\nQRT\n");
- ptt_term ();
- dwgps_term ();
- SLEEP_SEC(1);
- ExitProcess (0);
- }
- return (TRUE);
-}
-
-
-#else
-
-static void cleanup_linux (int x)
-{
- text_color_set(DW_COLOR_INFO);
- dw_printf ("\nQRT\n");
- ptt_term ();
- dwgps_term ();
- exit(0);
-}
-
-#endif
-
-
-
-static void usage (char **argv)
-{
- text_color_set(DW_COLOR_ERROR);
-
- dw_printf ("\n");
- dw_printf ("Dire Wolf version %d.%d\n", MAJOR_VERSION, MINOR_VERSION);
- dw_printf ("\n");
- dw_printf ("Usage: direwolf [options]\n");
- dw_printf ("Options:\n");
- dw_printf (" -c fname Configuration file name.\n");
-
- dw_printf (" -r n Audio sample rate, per sec.\n");
- dw_printf (" -n n Number of audio channels, 1 or 2.\n");
- dw_printf (" -b n Bits per audio sample, 8 or 16.\n");
- dw_printf (" -B n Data rate in bits/sec. Standard values are 300, 1200, 9600.\n");
- dw_printf (" If < 600, AFSK tones are set to 1600 & 1800.\n");
- dw_printf (" If > 2400, K9NG/G3RUH style encoding is used.\n");
- dw_printf (" Otherwise, AFSK tones are set to 1200 & 2200.\n");
-
- dw_printf (" -d Debug communication with client application, one of\n");
- dw_printf (" a a = AGWPE network protocol.\n");
- dw_printf (" k k = KISS serial port.\n");
- dw_printf (" n n = KISS network.\n");
- dw_printf (" u u = Display non-ASCII text in hexadecimal.\n");
-
- dw_printf (" -t n Text colors. 1=normal, 0=disabled.\n");
-
-#if __WIN32__
-#else
- dw_printf (" -p Enable pseudo terminal for KISS protocol.\n");
-#endif
- dw_printf (" -x Send Xmit level calibration tones.\n");
- dw_printf (" -U Print UTF-8 test string and exit.\n");
- dw_printf ("\n");
-
-#if __WIN32__
-#else
- dw_printf ("Complete documentation can be found in /usr/local/share/doc/direwolf.\n");
-#endif
- exit (EXIT_FAILURE);
-}
-
-
-
-/* end direwolf.c */
diff --git a/direwolf.conf b/direwolf.conf
deleted file mode 100644
index c5bb3c16..00000000
--- a/direwolf.conf
+++ /dev/null
@@ -1,592 +0,0 @@
-#############################################################
-# #
-# Configuration file for Dire Wolf #
-# #
-#############################################################
-#
-# Consult the User Guide for more details on configuration options.
-#
-#
-# These are the most likely settings you might change:
-#
-# (1) MYCALL - call sign and SSID for your station.
-#
-# Look for lines starting with MYCALL and
-# change NOCALL to your own.
-#
-#
-# (2) PBEACON - enable position beaconing.
-#
-# Look for lines starting with PBEACON and
-# modify for your call, location, etc.
-#
-#
-# (3) DIGIPEATER - configure digipeating rules.
-#
-# Look for lines starting with DIGIPEATER.
-# Most people will probably use the first example.
-# Just remove the "#" from the start of the line
-# to enable it.
-#
-#
-# (4) IGSERVER, IGLOGIN - IGate server and login
-#
-# Configure an IGate client to relay messages between
-# radio and internet servers.
-#
-#
-# The default location is "direwolf.conf" in the current working directory.
-# On Linux, the user's home directory will also be searched.
-# An alternate configuration file location can be specified with the "-c" command line option.
-#
-# As you probably guessed by now, # indicates a comment line.
-#
-# Remove the # at the beginning of a line if you want to use a sample
-# configuration that is currently commented out.
-#
-# Commands are a keyword followed by parameters.
-#
-# Command key words are case insensitive. i.e. upper and lower case are equivalent.
-#
-# Command parameters are generally case sensitive. i.e. upper and lower case are different.
-#
-# Example: The next two are equivalent
-#
-# PTT /dev/ttyS0 RTS
-# ptt /dev/ttyS0 RTS
-#
-# But this not equivalent because device names are case sensitive.
-#
-# PTT /dev/TTYs0 RTS
-#
-
-
-#############################################################
-# #
-# AUDIO DEVICE PROPERTIES #
-# #
-#############################################################
-
-#
-# Many people will simply use the default sound device.
-# Some might want to use an alternative device by chosing it here.
-#
-# When the Windows version starts up, it displays something like
-# this with the available sound devices and capabilities:
-#
-# Available audio input devices for receive (*=selected):
-# 0: Microphone (Realtek High Defini
-# 1: Microphone (Bluetooth SCO Audio
-# 2: Microphone (Bluetooth AV Audio)
-# 3: Microphone (USB PnP Sound Devic
-# Available audio output devices for transmit (*=selected):
-# 0: Speakers (Realtek High Definiti
-# 1: Speakers (Bluetooth SCO Audio)
-# 2: Realtek Digital Output (Realtek
-# 3: Realtek Digital Output(Optical)
-# 4: Speakers (Bluetooth AV Audio)
-# 5: Speakers (USB PnP Sound Device)
-
-# Example: To use the USB Audio, use a command like this with
-# the input and output device numbers. (Remove the # comment character.)
-
-#ADEVICE 3 5
-
-# The position in the list can change when devices (e.g. USB) are added and removed.
-# You can also specify devices by using part of the name.
-# Here is an example of specifying the USB Audio device.
-# This is case-sensitive. Upper and lower case are not treated the same.
-
-#ADEVICE USB
-
-
-# Linux ALSA is complicated. See User Guide for discussion.
-# To use something other than the default, generally use plughw
-# and a card number reported by "arecord -l" command. Examples:
-
-# ADEVICE plughw:CARD=Device,DEV=0
-# ADEVICE plughw:1,0
-
-# Starting with version 1.0, you can also use "-" or "stdin" to
-# pipe stdout from some other application such as a software defined
-# radio. You can also specify "UDP:" and an optional port for input.
-# Something different must be specified for output.
-
-# ADEVICE - plughw:1,0
-# ADEVICE UDP:7355 default
-
-#
-# This is the sound card audio sample rate.
-# The default is 44100. Other standard values are 22050 or 11025.
-#
-# Change this only if your computer can't keep up.
-# A lower rate means lower CPU demands but performance will be degraded.
-#
-
-ARATE 44100
-
-
-#
-# Number of audio channels. 1 or 2.
-# If you specify 2, it is possible to attach two different transceivers
-# and receive from both simultaneously.
-#
-
-ACHANNELS 1
-
-# Use this instead if you want to use two transceivers.
-
-#ACHANNELS 2
-
-
-#############################################################
-# #
-# CHANNEL 0 PROPERTIES #
-# #
-#############################################################
-
-CHANNEL 0
-
-#
-# The following will apply to the first or only channel.
-# When two channels are used, this is the left audio channel.
-#
-
-
-#
-# Station identifier for this channel.
-# Multiple channels can have the same or different names.
-#
-# It can be up to 6 letters and digits with an optional ssid.
-# The APRS specification requires that it be upper case.
-#
-# Example (don't use this unless you are me): MYCALL WB2OSZ-5
-#
-
-MYCALL NOCALL
-
-#
-# VHF FM operation normally uses 1200 baud data with AFSK tones of 1200 and 2200 Hz.
-#
-
-MODEM 1200 1200 2200
-
-#
-# 200 Hz shift is normally used for 300 baud HF SSB operation.
-#
-# Note that if you change the tones here, you will need to adjust
-# your tuning dial accordingly to get the same transmitted frequencies.
-#
-# In the second example, we have 7 demodulators spaced 30 Hz apart
-# to capture signals that are off frequency.
-# If you run out of CPU power, drop the audio sample rate down to 22050.
-
-#MODEM 300 1600 1800
-#MODEM 300 1600 1800 7 30
-
-#
-# 9600 baud doesn't use AFSK so no tones are listed.
-#
-
-#MODEM 9600
-
-
-#
-# If not using a VOX circuit, the transmitter Push to Talk (PTT)
-# control is usually wired to a serial port with a suitable interface circuit.
-# DON'T connect it directly!
-#
-# For the PTT command, specify the device and either RTS or DTR.
-# RTS or DTR may be preceded by "-" to invert the signal.
-#
-
-#PTT COM1 RTS
-#PTT COM1 -DTR
-#PTT /dev/ttyUSB0 RTS
-
-#
-# On Linux, you can also use general purpose I/O pins if
-# your system is configured for user access to them.
-# This would apply mostly to microprocessor boards, not a regular PC.
-# See separate Raspberry Pi document for more details.
-# The number may be preceded by "-" to invert the signal.
-#
-
-#PTT GPIO 25
-
-
-#
-# After turning on transmitter, send "flag" characters for
-# TXDELAY * 10 milliseconds for transmitter to stabilize before
-# sending data. 300 milliseconds is a good default.
-#
-
-TXDELAY 30
-
-#
-# Keep transmitting for TXTAIL * 10 milliseconds after sending
-# the data. This is needed to avoid dropping PTT too soon and
-# chopping of the end of the data because we don't have
-# precise control of when the sound will actually get out.
-#
-
-TXTAIL 10
-
-
-#############################################################
-# #
-# CHANNEL 1 PROPERTIES #
-# #
-#############################################################
-
-CHANNEL 1
-
-#
-# The following will apply to the second (right) channel if ACHANNELS is 2.
-#
-
-#
-# The two radio channels can have the same or different station identifiers.
-#
-#
-# Example (don't use this unless you are me): MYCALL WB2OSZ-5
-#
-
-MYCALL NOCALL
-
-MODEM 1200 1200 2200
-
-#
-# For this example, we use the same serial port for both
-# transmitters. RTS for channel 0 and DTR for channel 1.
-#
-
-#PTT COM1 DTR
-
-TXDELAY 30
-TXTAIL 10
-
-
-
-#############################################################
-# #
-# VIRTUAL TNC SERVER PROPERTIES #
-# #
-#############################################################
-
-#
-# Dire Wolf acts as a virtual TNC and can communicate with
-# two different protocols:
-# - the “AGW TCPIP Socket Interface” - default port 8000
-# - KISS TNC via serial port
-# - KISS protocol over TCP socket - default port 8001
-#
-# See descriptions of AGWPORT, KISSPORT, and NULLMODEM in the
-# User Guide for more details.
-#
-
-AGWPORT 8000
-KISSPORT 8001
-
-#
-# Some applications are designed to operate with only a physical
-# TNC attached to a serial port. For these, we provide a virtual serial
-# port ("pseudo terminal" in Linux) that appears to be connected to a TNC.
-#
-# Linux:
-# Linux applications can often specify "/tmp/kisstnc"
-# for the serial port name. Behind the scenes, Dire Wolf
-# creates a pseudo terminal. Unfortunately we can't specify the name
-# and we wouldn't want to reconfigure the application each time.
-# To get around this, /tmp/kisstnc is a symbolic link to the
-# non-constant pseudo terminal name.
-#
-# Use the -p command line option to enable this feature.
-#
-# Windows:
-#
-# Microsoft Windows applications need a serial port
-# name like COM1, COM2, COM3, or COM4.
-#
-# Take a look at the User Guide for instructions to set up
-# two virtual serial ports named COM3 and COM4 connected by
-# a null modem.
-#
-# Using the default configuration, Dire Wolf will connect to
-# COM3 and the client application will use COM4.
-#
-# Uncomment following line to use this feature.
-
-#NULLMODEM COM3
-
-
-#
-# Version 0.6 adds a new feature where it is sometimes possible
-# to recover frames with a bad FCS. Several levels of effort
-# are possible.
-#
-# 0 [NONE] - Don't try to repair.
-# 1 [SINGLE] - Attempt to fix single bit error. (default)
-# 2 [DOUBLE] - Also attempt to fix two adjacent bits.
-# 3 [TRIPLE] - Also attempt to fix three adjacent bits.
-# 4 [TWO_SEP] - Also attempt to fix two non-adjacent (separated) bits.
-#
-
-FIX_BITS 1
-
-#
-#############################################################
-# #
-# BEACONING PROPERTIES #
-# #
-#############################################################
-
-
-#
-# Beaconing is configured with these two commands:
-#
-# PBEACON - for a position report (usually yourself)
-# OBEACON - for an object report (usually some other entity)
-#
-# Each has a series of keywords and values for options.
-# See User Guide for details.
-#
-# Example:
-#
-# This results in a broadcast once every 10 minutes.
-# Every half hour, it can travel via two digipeater hops.
-# The others are kept local.
-#
-
-#PBEACON delay=00:15 every=30 overlay=S symbol="digi" lat=42^37.14N long=071^20.83W power=50 height=20 gain=4 comment="Chelmsford MA" via=WIDE1-1,WIDE2-1
-#PBEACON delay=10:15 every=30 overlay=S symbol="digi" lat=42^37.14N long=071^20.83W power=50 height=20 gain=4 comment="Chelmsford MA"
-#PBEACON delay=20:15 every=30 overlay=S symbol="digi" lat=42^37.14N long=071^20.83W power=50 height=20 gain=4 comment="Chelmsford MA"
-
-#
-# Modify this for your particular situation before removing
-# the # comment character from the beginning of the lines above.
-#
-
-
-#############################################################
-# #
-# DIGIPEATER PROPERTIES #
-# #
-#############################################################
-
-#
-# Digipeating is activated with commands of the form:
-#
-# DIGIPEAT from-chan to-chan aliases wide [ preemptive ]
-#
-# where,
-#
-# from-chan is the channel where the packet is received.
-#
-# to-chan is the channel where the packet is to be re-transmitted.
-#
-# aliases is a pattern for digipeating ONCE. Anything matching
-# this pattern is effectively treated like WIDE1-1.
-# 'MYCALL' for the receiving channel is an implied
-# member of this list.
-#
-# wide is the pattern for normal WIDEn-N digipeating
-# where the ssid is decremented.
-#
-# preemptive is the "preemptive" digipeating option. See
-# User Guide for more details.
-#
-# Pattern matching uses "extended regular expressions." Rather than listing
-# all the different possibilities (such as "WIDE3-3,WIDE4-4,WIDE5-5,WIDE6-6,WIDE7-7"),
-# a pattern can be specified such as "^WIDE[34567]-[1-7]$". This means:
-#
-# ^ beginning of call. Without this, leading characters
-# don't need to match and ZWIDE3-3 would end up matching.
-#
-# WIDE is an exact literal match of upper case letters W I D E.
-#
-# [34567] means ANY ONE of the characters listed.
-#
-# - is an exact literal match of the "-" character (when not
-# found inside of []).
-#
-# [1-7] is an alternative form where we have a range of characters
-# rather than listing them all individually.
-#
-# $ means end of call. Without this, trailing characters don't
-# need to match. As an example, we would end up matching
-# WIDE3-15 besides WIDE3-1.
-#
-# Google "Extended Regular Expressions" for more information.
-#
-
-#
-# If the first unused digipeater field, in the received packet,
-# matches the first pattern, it is treated the same way you
-# would expect WIDE1-1 to behave.
-#
-# The digipeater name is replaced by MYCALL of the destination channel.
-#
-# Example: W1ABC>APRS,WIDE7-7
-# Becomes: W1ABC>APRS,WB2OSZ-5*
-#
-# In this example, we trap large values of N as recommended in
-# http://www.aprs.org/fix14439.html
-#
-
-#
-# If not caught by the first pattern, see if it matches the second pattern.
-#
-# Matches will be processed with the usual WIDEn-N rules.
-#
-# If N >= 2, the N value is decremented and MYCALL (of the destination
-# channel) is inserted if enough room.
-#
-# Example: W1ABC>APRS,WIDE2-2
-# Becomes: W1ABC>APRS,WB2OSZ-5*,WIDE2-1
-#
-# If N = 1, we don't want to keep WIDEn-0 in the digipeater list so
-# the station is replaced by MYCALL.
-#
-# Example: W1ABC>APRS,W9XYZ*,WIDE2-1
-# Becomes: W1ABC>APRS,W9XYZ,WB2OSZ-5*
-#
-
-#-------------------------------------------------------
-# ---------- Example 1: Typical digipeater ----------
-#-------------------------------------------------------
-
-#
-# For most common situations, use something like this by removing
-# the "#" from the beginning of the line.
-# To disable digipeating, put # at the beginning of the line.
-#
-
-# DIGIPEAT 0 0 ^WIDE[3-7]-[1-7]$|^TEST$ ^WIDE[12]-[12]$ TRACE
-
-
-
-
-#############################################################
-# #
-# INTERNET GATEWAY #
-# #
-#############################################################
-
-# First you need to specify the name of a Tier 2 server.
-# The current preferred way is to use one of these regional rotate addresses:
-
-# noam.aprs2.net - for North America
-# soam.aprs2.net - for South America
-# euro.aprs2.net - for Europe and Africa
-# asia.aprs2.net - for Asia
-# aunz.aprs2.net - for Oceania
-
-#IGSERVER noam.aprs2.net
-
-# You also need to specify your login name and passcode.
-# Contact the author if you can't figure out how to generate the passcode.
-
-#IGLOGIN WB2OSZ-5 123456
-
-# That's all you need for a receive only IGate which relays
-# messages from the local radio channel to the global servers.
-
-# Some might want to send an IGate client position directly to a server
-# without sending it over the air and relying on someone else to
-# forward it to an IGate server. This is done by using sendto=IG rather
-# than a radio channel number. Overlay R for receive only, T for two way.
-
-#PBEACON sendto=IG delay=0:30 every=60:00 symbol="igate" overlay=R lat=42^37.14N long=071^20.83W
-#PBEACON sendto=IG delay=0:30 every=60:00 symbol="igate" overlay=T lat=42^37.14N long=071^20.83W
-
-
-# To relay messages from the Internet to radio, you need to add
-# one more option with the transmit channel number and a VIA path.
-
-#IGTXVIA 0 WIDE1-1
-
-# You might want to apply a filter for what packets will be obtained from the server.
-# Read about filters here: http://www.aprs2.net/wiki/pmwiki.php/Main/FilterGuide
-# Example:
-
-#IGFILTER m/50
-
-# Finally, we don’t want to flood the radio channel.
-# The IGate function will limit the number of packets transmitted
-# during 1 minute and 5 minute intervals. If a limit would
-# be exceeded, the packet is dropped and message is displayed in red.
-
-IGTXLIMIT 6 10
-
-
-#############################################################
-# #
-# APRStt GATEWAY #
-# #
-#############################################################
-
-#
-# Dire Wolf can receive DTMF (commonly known as Touch Tone)
-# messages and convert them to packet objects.
-#
-# See "APRStt-Implementation-Notes" document for details.
-#
-
-#
-# Sample gateway configuration based on:
-#
-# http://www.aprs.org/aprstt/aprstt-coding24.txt
-# http://www.aprs.org/aprs-jamboree-2013.html
-#
-
-# Define specific points.
-
-TTPOINT B01 37^55.37N 81^7.86W
-TTPOINT B7495088 42.605237 -71.34456
-TTPOINT B934 42.605237 -71.34456
-
-TTPOINT B901 42.661279 -71.364452
-TTPOINT B902 42.660411 -71.364419
-TTPOINT B903 42.659046 -71.364452
-TTPOINT B904 42.657578 -71.364602
-
-
-# For location at given bearing and distance from starting point.
-
-TTVECTOR B5bbbddd 37^55.37N 81^7.86W 0.01 mi
-
-# For location specified by x, y coordinates.
-
-TTGRID Byyyxxx 37^50.00N 81^00.00W 37^59.99N 81^09.99W
-
-# UTM location for Lowell-Dracut-Tyngsborough State Forest.
-
-TTUTM B6xxxyyy 19T 10 300000 4720000
-
-
-
-# Location for the corral.
-
-TTCORRAL 37^55.50N 81^7.00W 0^0.02N
-
-# Compact messages - Fixed locations xx and object yyy where
-# Object numbers 100 – 199 = bicycle
-# Object numbers 200 – 299 = fire truck
-# Others = dog
-
-TTMACRO xx1yy B9xx*AB166*AA2B4C5B3B0A1yy
-TTMACRO xx2yy B9xx*AB170*AA3C4C7C3B0A2yy
-TTMACRO xxyyy B9xx*AB180*AA3A6C4A0Ayyy
-
-TTMACRO z Cz
-
-# Transmit object reports on channel 0 with this header.
-
-#TTOBJ 0 WB2OSZ-5>APDW10
-
-# Advertise gateway position with beacon.
-
-# OBEACON DELAY=0:15 EVERY=10:00 VIA=WIDE1-1 OBJNAME=WB2OSZ-tt SYMBOL=APRStt LAT=42^37.14N LONG=71^20.83W COMMENT="APRStt Gateway"
-
-
diff --git a/direwolf.desktop b/direwolf.desktop
deleted file mode 100644
index bfc0eb41..00000000
--- a/direwolf.desktop
+++ /dev/null
@@ -1,10 +0,0 @@
-[Desktop Entry]
-Type=Application
-Exec=lxterminal -t "Dire Wolf" -e "/usr/local/bin/direwolf"
-Name=Dire Wolf
-Comment=APRS Soundcard TNC
-Icon=/usr/share/direwolf/dw-icon.png
-Path=/home/pi
-#Terminal=true
-Categories=HamRadio
-Keywords=Ham Radio;APRS;Soundcard TNC;KISS;AGWPE;AX.25
\ No newline at end of file
diff --git a/direwolf.h b/direwolf.h
deleted file mode 100644
index af27f767..00000000
--- a/direwolf.h
+++ /dev/null
@@ -1,39 +0,0 @@
-
-#ifndef DIREWOLF_H
-#define DIREWOLF_H 1
-
-
-/*
- * Maximum number of radio channels.
- */
-
-#define MAX_CHANS 2
-
-/*
- * Maximum number of modems per channel.
- * I called them "subchannels" (in the code) because
- * it is short and unambiguous.
- * Nothing magic about the number. Could be larger
- * but CPU demands might be overwhelming.
- */
-
-#define MAX_SUBCHANS 9
-
-
-#if __WIN32__
-#include
-#define SLEEP_SEC(n) Sleep((n)*1000)
-#define SLEEP_MS(n) Sleep(n)
-#else
-#define SLEEP_SEC(n) sleep(n)
-#define SLEEP_MS(n) usleep((n)*1000)
-#endif
-
-#endif
-
-#if __WIN32__
-#define PTW32_STATIC_LIB
-#include "pthreads/pthread.h"
-#else
-#include
-#endif
\ No newline at end of file
diff --git a/doc/2400-4800-PSK-for-APRS-Packet-Radio.pdf b/doc/2400-4800-PSK-for-APRS-Packet-Radio.pdf
new file mode 100644
index 00000000..4efd364b
Binary files /dev/null and b/doc/2400-4800-PSK-for-APRS-Packet-Radio.pdf differ
diff --git a/doc/A-Better-APRS-Packet-Demodulator-Part-1-1200-baud.pdf b/doc/A-Better-APRS-Packet-Demodulator-Part-1-1200-baud.pdf
new file mode 100644
index 00000000..20c43a7c
Binary files /dev/null and b/doc/A-Better-APRS-Packet-Demodulator-Part-1-1200-baud.pdf differ
diff --git a/doc/A-Better-APRS-Packet-Demodulator-Part-2-9600-baud.pdf b/doc/A-Better-APRS-Packet-Demodulator-Part-2-9600-baud.pdf
new file mode 100644
index 00000000..966ea52d
Binary files /dev/null and b/doc/A-Better-APRS-Packet-Demodulator-Part-2-9600-baud.pdf differ
diff --git a/doc/A-Closer-Look-at-the-WA8LMF-TNC-Test-CD.pdf b/doc/A-Closer-Look-at-the-WA8LMF-TNC-Test-CD.pdf
new file mode 100644
index 00000000..85fafb30
Binary files /dev/null and b/doc/A-Closer-Look-at-the-WA8LMF-TNC-Test-CD.pdf differ
diff --git a/doc/AIS-Reception.pdf b/doc/AIS-Reception.pdf
new file mode 100644
index 00000000..c868d7ce
Binary files /dev/null and b/doc/AIS-Reception.pdf differ
diff --git a/doc/APRS-Telemetry-Toolkit.pdf b/doc/APRS-Telemetry-Toolkit.pdf
new file mode 100644
index 00000000..b88f8f40
Binary files /dev/null and b/doc/APRS-Telemetry-Toolkit.pdf differ
diff --git a/doc/APRStt-Implementation-Notes.pdf b/doc/APRStt-Implementation-Notes.pdf
new file mode 100644
index 00000000..3e6b8fb0
Binary files /dev/null and b/doc/APRStt-Implementation-Notes.pdf differ
diff --git a/doc/APRStt-Listening-Example.pdf b/doc/APRStt-Listening-Example.pdf
new file mode 100644
index 00000000..84e07c40
Binary files /dev/null and b/doc/APRStt-Listening-Example.pdf differ
diff --git a/doc/APRStt-interface-for-SARTrack.pdf b/doc/APRStt-interface-for-SARTrack.pdf
new file mode 100644
index 00000000..cdee1aec
Binary files /dev/null and b/doc/APRStt-interface-for-SARTrack.pdf differ
diff --git a/doc/AX25_plus_FEC_equals_FX25.pdf b/doc/AX25_plus_FEC_equals_FX25.pdf
new file mode 100644
index 00000000..3113a1bc
Binary files /dev/null and b/doc/AX25_plus_FEC_equals_FX25.pdf differ
diff --git a/doc/Bluetooth-KISS-TNC.pdf b/doc/Bluetooth-KISS-TNC.pdf
new file mode 100644
index 00000000..6969334f
Binary files /dev/null and b/doc/Bluetooth-KISS-TNC.pdf differ
diff --git a/doc/CMakeLists.txt b/doc/CMakeLists.txt
new file mode 100644
index 00000000..d8b6343f
--- /dev/null
+++ b/doc/CMakeLists.txt
@@ -0,0 +1,21 @@
+
+install(FILES "${CUSTOM_DOC_DIR}/README.md" DESTINATION ${INSTALL_DOC_DIR})
+install(FILES "${CUSTOM_DOC_DIR}/2400-4800-PSK-for-APRS-Packet-Radio.pdf" DESTINATION ${INSTALL_DOC_DIR})
+install(FILES "${CUSTOM_DOC_DIR}/A-Better-APRS-Packet-Demodulator-Part-1-1200-baud.pdf" DESTINATION ${INSTALL_DOC_DIR})
+install(FILES "${CUSTOM_DOC_DIR}/A-Better-APRS-Packet-Demodulator-Part-2-9600-baud.pdf" DESTINATION ${INSTALL_DOC_DIR})
+install(FILES "${CUSTOM_DOC_DIR}/A-Closer-Look-at-the-WA8LMF-TNC-Test-CD.pdf" DESTINATION ${INSTALL_DOC_DIR})
+install(FILES "${CUSTOM_DOC_DIR}/AIS-Reception.pdf" DESTINATION ${INSTALL_DOC_DIR})
+install(FILES "${CUSTOM_DOC_DIR}/APRS-Telemetry-Toolkit.pdf" DESTINATION ${INSTALL_DOC_DIR})
+install(FILES "${CUSTOM_DOC_DIR}/APRStt-Implementation-Notes.pdf" DESTINATION ${INSTALL_DOC_DIR})
+install(FILES "${CUSTOM_DOC_DIR}/APRStt-interface-for-SARTrack.pdf" DESTINATION ${INSTALL_DOC_DIR})
+install(FILES "${CUSTOM_DOC_DIR}/APRStt-Listening-Example.pdf" DESTINATION ${INSTALL_DOC_DIR})
+install(FILES "${CUSTOM_DOC_DIR}/AX25_plus_FEC_equals_FX25.pdf" DESTINATION ${INSTALL_DOC_DIR})
+install(FILES "${CUSTOM_DOC_DIR}/Bluetooth-KISS-TNC.pdf" DESTINATION ${INSTALL_DOC_DIR})
+install(FILES "${CUSTOM_DOC_DIR}/Going-beyond-9600-baud.pdf" DESTINATION ${INSTALL_DOC_DIR})
+install(FILES "${CUSTOM_DOC_DIR}/Raspberry-Pi-APRS.pdf" DESTINATION ${INSTALL_DOC_DIR})
+install(FILES "${CUSTOM_DOC_DIR}/Raspberry-Pi-APRS-Tracker.pdf" DESTINATION ${INSTALL_DOC_DIR})
+install(FILES "${CUSTOM_DOC_DIR}/Raspberry-Pi-SDR-IGate.pdf" DESTINATION ${INSTALL_DOC_DIR})
+install(FILES "${CUSTOM_DOC_DIR}/Successful-APRS-IGate-Operation.pdf" DESTINATION ${INSTALL_DOC_DIR})
+install(FILES "${CUSTOM_DOC_DIR}/User-Guide.pdf" DESTINATION ${INSTALL_DOC_DIR})
+install(FILES "${CUSTOM_DOC_DIR}/WA8LMF-TNC-Test-CD-Results.pdf" DESTINATION ${INSTALL_DOC_DIR})
+install(FILES "${CUSTOM_DOC_DIR}/Why-is-9600-only-twice-as-fast-as-1200.pdf" DESTINATION ${INSTALL_DOC_DIR})
diff --git a/doc/Going-beyond-9600-baud.pdf b/doc/Going-beyond-9600-baud.pdf
new file mode 100644
index 00000000..18e0aa6b
Binary files /dev/null and b/doc/Going-beyond-9600-baud.pdf differ
diff --git a/doc/README.md b/doc/README.md
new file mode 100644
index 00000000..9f44684e
--- /dev/null
+++ b/doc/README.md
@@ -0,0 +1,178 @@
+# Documentation for Dire Wolf #
+
+Click on the document name to view in your web browser or the link following to download the PDF file.
+
+
+## Slide Show ##
+
+Brief summary of packet radio / APRS history and the capbilities of Dire Wolf.
+
+[Power Point presentation](https://github.com/wb2osz/direwolf-presentation) -- Why not give a talk at a local club meeting?
+
+## Essential Reading ##
+
+- [**User Guide**](User-Guide.pdf) [ [*download*](../../../raw/master/doc/User-Guide.pdf) ]
+
+ This is your primary source of information about installation, operation, and configuration.
+
+- [**Raspberry Pi APRS**](Raspberry-Pi-APRS.pdf) [ [*download*](../../../raw/master/doc/Raspberry-Pi-APRS.pdf) ]
+
+ The Raspberry Pi has some special considerations that
+ make it different from other generic Linux systems.
+ Start here if using the Raspberry Pi, Beaglebone Black, cubieboard2, or similar single board computers.
+
+
+## Application Notes ##
+
+These dive into more detail for specialized topics or typical usage scenarios.
+
+
+
+- [**AX.25 + FEC = FX.25**](AX25_plus_FEC_equals_FX25.pdf) [ [*download*](../../../raw/dev/doc/AX25_plus_FEC_equals_FX25.pdf) ]
+
+ What can you do if your radio signal isn’t quite strong enough to get through reliably? Move to higher ground? Get a better antenna? More power? Use very narrow bandwidth and very slow data?
+
+ Sometimes those are not options. Another way to improve communication reliability is to add redundant information so the message will still get through even if small parts are missing. FX.25 adds forward error correction (FEC) which maintaining complete compatibility with older equipment.
+
+
+- [**AX.25 Throughput: Why is 9600 bps Packet Radio only twice as fast as 1200?**](Why-is-9600-only-twice-as-fast-as-1200.pdf) [ [*download*](../../../raw/dev/doc/Why-is-9600-only-twice-as-fast-as-1200.pdf) ]
+
+ Simply switching to a higher data rate will probably result in great disappointment. You might expect it to be 8 times faster but it can turn out to be only twice as fast.
+
+ In this document, we look at why a large increase in data bit rate can produce a much smaller increase in throughput. We will explore techniques that can be used to make large improvements and drastically speed up large data transfer.
+
+
+
+
+- [**Successful APRS IGate Operation**](Successful-APRS-IGate-Operation.pdf) [ [*download*](../../../raw/dev/doc/Successful-APRS-IGate-Operation.pdf) ]
+
+
+ Dire Wolf can serve as a gateway between the APRS radio network and APRS-IS servers on the Internet.
+
+ This explains how it all works, proper configuration, and troubleshooting.
+
+- [**Bluetooth KISS TNC**](Bluetooth-KISS-TNC.pdf) [ [*download*](../../../raw/master/doc/Bluetooth-KISS-TNC.pdf) ]
+
+ Eliminate the cable between your TNC and application. Use Bluetooth instead.
+
+- [**APRStt Implementation Notes**](APRStt-Implementation-Notes.pdf) [ [*download*](../../../raw/master/doc/APRStt-Implementation-Notes.pdf) ]
+
+ Very few hams have portable equipment for APRS but nearly everyone has a handheld radio that can send DTMF tones. APRStt allows a user, equipped with only DTMF (commonly known as Touch Tone) generation capability, to enter information into the global APRS data network.
+ This document explains how the APRStt concept was implemented in the Dire Wolf application.
+
+- [**APRStt Interface for SARTrack**](APRStt-interface-for-SARTrack.pdf) [ [*download*](../../../raw/master/doc/APRStt-interface-for-SARTrack.pdf) ]
+
+ This example illustrates how APRStt can be integrated with other applications such as SARTrack, APRSISCE/32, YAAC, or Xastir.
+
+- [**APRStt Listening Example**](APRStt-Listening-Example.pdf) [ [*download*](../../../raw/master/doc/APRStt-Listening-Example.pdf) ]
+
+
+ WB4APR described a useful application for the [QIKCOM-2 Satallite Transponder](http://www.tapr.org/pipermail/aprssig/2015-November/045035.html).
+
+ Don’t have your own QIKCOM-2 Satellite Transponder? No Problem. You can do the same thing with an ordinary computer and the APRStt gateway built into Dire Wolf. Here’s how.
+
+- [**Raspberry Pi APRS Tracker**](Raspberry-Pi-APRS-Tracker.pdf) [ [*download*](../../../raw/master/doc/Raspberry-Pi-APRS-Tracker.pdf) ]
+
+ Build a tracking device which transmits position from a GPS receiver.
+
+- [**Raspberry Pi SDR IGate**](Raspberry-Pi-SDR-IGate.pdf) [ [*download*](../../../raw/master/doc/Raspberry-Pi-SDR-IGate.pdf) ]
+
+ It's easy to build a receive-only APRS Internet Gateway (IGate) with only a Raspberry Pi and a software defined radio (RTL-SDR) dongle. Here’s how.
+
+- [**APRS Telemetry Toolkit**](APRS-Telemetry-Toolkit.pdf) [ [*download*](../../../raw/master/doc/APRS-Telemetry-Toolkit.pdf) ]
+
+ Describes scripts and methods to generate telemetry.
+ Includes a complete example of attaching an analog to
+ digital converter to a Raspberry Pi and transmitting
+ a measured voltage.
+
+
+
+- [**2400 & 4800 bps PSK for APRS / Packet Radio**](2400-4800-PSK-for-APRS-Packet-Radio.pdf) [ [*download*](../../../raw/master/doc/2400-4800-PSK-for-APRS-Packet-Radio.pdf) ]
+
+
+ Double or quadruple your data rate by sending multiple bits at the same time.
+
+- [**Going beyond 9600 baud**](Going-beyond-9600-baud.pdf) [ [*download*](../../../raw/master/doc/Going-beyond-9600-baud.pdf) ]
+
+
+ Why stop at 9600 baud? Go faster if your soundcard and radio can handle it.
+
+- [**AIS Reception**](AIS-Reception.pdf) [ [*download*](../../../raw/dev/doc/AIS-Reception.pdf) ]
+
+
+ AIS is an international tracking system for ships. Messages can contain position, speed, course, name, destination, status, vessel dimensions, and many other types of information. Learn how to receive these signals with an ordindary ham transceiver and display the ship locations with APRS applications or [OpenCPN](https://opencpn.org).
+
+- **[EAS to APRS message converter](https://github.com/wb2osz/eas2aprs)**
+
+
+ The [U.S. National Weather Service](https://www.weather.gov/nwr/) (NWS) operates more than 1,000 VHF FM radio stations that continuously transmit weather information. These stations also transmit special warnings about severe weather, disasters (natural & manmade), and public safety.
+
+ Alerts are sent in a digital form known as Emergency Alert System (EAS) Specific Area Message Encoding (SAME). [You can hear a sample here](https://en.wikipedia.org/wiki/Specific_Area_Message_Encoding).
+
+ It is possible to buy radios that decode these messages but what fun is that? We are ham radio operators so we want to build our own from stuff that we already have sitting around.
+
+
+## Miscellaneous ##
+
+- **[Ham Radio of Things (HRoT)](https://github.com/wb2osz/hrot)**
+
+
+ Now that billions of computers and mobile phones (which are handheld computers) are all connected by the Internet, the large growth is expected from the “Internet of Things.†What is a “thing?†It could be a temperature sensor, garage door opener, motion detector, flood water level, smoke alarm, antenna rotator, coffee maker, lights, home thermostat, …, just about anything you might want to monitor or control.
+
+ There have been other occasional mentions of merging Ham Radio with the Internet of Things but only ad hoc incompatible narrowly focused applications. Here is a proposal for a standardized more flexible method so different systems can communicate with each other.
+
+- [**A Better APRS Packet Demodulator, part 1, 1200 baud**](A-Better-APRS-Packet-Demodulator-Part-1-1200-baud.pdf) [ [*download*](../../../raw/master/doc/A-Better-APRS-Packet-Demodulator-Part-1-1200-baud.pdf) ]
+
+ Sometimes it's a little mystifying why an
+APRS / AX.25 Packet TNC will decode some signals
+and not others. A weak signal, buried in static,
+might be fine while a nice strong clean sounding
+signal is not decoded. Here we will take a brief
+look at what could cause this perplexing situation
+and a couple things that can be done about it.
+
+
+
+- [**A Better APRS Packet Demodulator, part 2, 9600 baud**](A-Better-APRS-Packet-Demodulator-Part-2-9600-baud.pdf) [ [*download*](../../../raw/master/doc/A-Better-APRS-Packet-Demodulator-Part-2-9600-baud.pdf) ]
+
+ In the first part of this series we discussed 1200 baud audio frequency shift keying (AFSK). The mismatch
+ between FM transmitter pre-emphasis and the
+ receiver de-emphasis will
+ cause the amplitudes of the two tones to be different.
+ This makes it more difficult to demodulate them accurately.
+ 9600 baud operation is an entirely different animal. ...
+
+- [**WA8LMF TNC Test CD Results a.k.a. Battle of the TNCs**](WA8LMF-TNC-Test-CD-Results.pdf) [ [*download*](../../../raw/master/doc/WA8LMF-TNC-Test-CD-Results.pdf) ]
+
+ How can we compare how well the TNCs perform under real world conditions?
+ The de facto standard of measurement is the number of packets decoded from [WA8LMF’s TNC Test CD](http://wa8lmf.net/TNCtest/index.htm).
+ Many have published the number of packets they have been able to decode from this test. Here they are, all gathered in one place, for your reading pleasure.
+
+- [**A Closer Look at the WA8LMF TNC Test CD**](A-Closer-Look-at-the-WA8LMF-TNC-Test-CD.pdf) [ [*download*](../../../raw/master/doc/A-Closer-Look-at-the-WA8LMF-TNC-Test-CD.pdf) ]
+
+ Here, we take a closer look at some of the frames on the TNC Test CD in hopes of gaining some insights into why some are easily decoded and others are more difficult.
+ There are a lot of ugly signals out there. Many can be improved by decreasing the transmit volume. Others are just plain weird and you have to wonder how they are being generated.
+
+
+## Additional Documentation for Dire Wolf Software TNC #
+
+
+When there was little documentation, it was all added to the source code repository [https://github.com/wb2osz/direwolf/tree/master/doc](https://github.com/wb2osz/direwolf/tree/master/doc)
+
+The growing number of documentation files and revisions are making the source code repository very large which means long download times. Additional documentation, not tied to a specific release, is now being added to [https://github.com/wb2osz/direwolf-doc](https://github.com/wb2osz/direwolf-doc)
+
+## Questions? Experiences to share? ##
+
+Here are some good places to ask questions and share your experiences:
+
+- [Dire Wolf Software TNC](https://groups.io/g/direwolf)
+
+- [Raspberry Pi 4 Ham Radio](https://groups.io/g/RaspberryPi-4-HamRadio)
+
+- [linuxham](https://groups.io/g/linuxham)
+
+- [TAPR aprssig](http://www.tapr.org/pipermail/aprssig/)
+
+
+The github "issues" section is for reporting software defects and enhancement requests. It is NOT a place to ask questions or have general discussions. Please use one of the locations above.
diff --git a/doc/Raspberry-Pi-APRS-Tracker.pdf b/doc/Raspberry-Pi-APRS-Tracker.pdf
new file mode 100644
index 00000000..c0c8c0be
Binary files /dev/null and b/doc/Raspberry-Pi-APRS-Tracker.pdf differ
diff --git a/doc/Raspberry-Pi-APRS.pdf b/doc/Raspberry-Pi-APRS.pdf
new file mode 100644
index 00000000..344c3de6
Binary files /dev/null and b/doc/Raspberry-Pi-APRS.pdf differ
diff --git a/doc/Raspberry-Pi-SDR-IGate.pdf b/doc/Raspberry-Pi-SDR-IGate.pdf
new file mode 100644
index 00000000..b4c84f18
Binary files /dev/null and b/doc/Raspberry-Pi-SDR-IGate.pdf differ
diff --git a/doc/Successful-APRS-IGate-Operation.pdf b/doc/Successful-APRS-IGate-Operation.pdf
new file mode 100644
index 00000000..9a51ef58
Binary files /dev/null and b/doc/Successful-APRS-IGate-Operation.pdf differ
diff --git a/doc/User-Guide.pdf b/doc/User-Guide.pdf
new file mode 100644
index 00000000..319f882f
Binary files /dev/null and b/doc/User-Guide.pdf differ
diff --git a/doc/WA8LMF-TNC-Test-CD-Results.pdf b/doc/WA8LMF-TNC-Test-CD-Results.pdf
new file mode 100644
index 00000000..d9af1a3f
Binary files /dev/null and b/doc/WA8LMF-TNC-Test-CD-Results.pdf differ
diff --git a/doc/Why-is-9600-only-twice-as-fast-as-1200.pdf b/doc/Why-is-9600-only-twice-as-fast-as-1200.pdf
new file mode 100644
index 00000000..829aa648
Binary files /dev/null and b/doc/Why-is-9600-only-twice-as-fast-as-1200.pdf differ
diff --git a/dsp.h b/dsp.h
deleted file mode 100644
index 1f5aaa52..00000000
--- a/dsp.h
+++ /dev/null
@@ -1,10 +0,0 @@
-
-/* dsp.h */
-
-// TODO: put prefixes on these names.
-
-float window (bp_window_t type, int size, int j);
-
-void gen_lowpass (float fc, float *lp_filter, int filter_size, bp_window_t wtype);
-
-void gen_bandpass (float f1, float f2, float *bp_filter, int filter_size, bp_window_t wtype);
\ No newline at end of file
diff --git a/dtmf.c b/dtmf.c
deleted file mode 100644
index e0f73094..00000000
--- a/dtmf.c
+++ /dev/null
@@ -1,411 +0,0 @@
-//
-// This file is part of Dire Wolf, an amateur radio packet TNC.
-//
-// Copyright (C) 2013 John Langner, WB2OSZ
-//
-// This program is free software: you can redistribute it and/or modify
-// it under the terms of the GNU General Public License as published by
-// the Free Software Foundation, either version 2 of the License, or
-// (at your option) any later version.
-//
-// This program is distributed in the hope that it will be useful,
-// but WITHOUT ANY WARRANTY; without even the implied warranty of
-// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
-// GNU General Public License for more details.
-//
-// You should have received a copy of the GNU General Public License
-// along with this program. If not, see .
-//
-
-/*------------------------------------------------------------------
- *
- * Module: dtmf.c
- *
- * Purpose: Decoder for DTMF, commonly known as "touch tones."
- *
- * Description: This uses the Goertzel Algorithm for tone detection.
- *
- * References: http://eetimes.com/design/embedded/4024443/The-Goertzel-Algorithm
- * http://www.ti.com/ww/cn/uprogram/share/ppt/c5000/17dtmf_v13.ppt
- *
- *---------------------------------------------------------------*/
-
-
-#include
-#include
-#include
-#include
-
-#include "direwolf.h"
-#include "dtmf.h"
-
-
-// Define for unit test.
-//#define DTMF_TEST 1
-
-
-#if DTMF_TEST
-#define TIMEOUT_SEC 1 /* short for unit test below. */
-#define DEBUG 1
-#else
-#define TIMEOUT_SEC 5 /* for normal operation. */
-#endif
-
-
-#define NUM_TONES 8
-static int const dtmf_tones[NUM_TONES] = { 697, 770, 852, 941, 1209, 1336, 1477, 1633 };
-
-/*
- * Current state of the decoding.
- */
-
-static struct {
- int sample_rate; /* Samples per sec. Typ. 44100, 8000, etc. */
- int block_size; /* Number of samples to process in one block. */
- float coef[NUM_TONES];
-
- struct { /* Separate for each audio channel. */
-
- int n; /* Samples processed in this block. */
- float Q1[NUM_TONES];
- float Q2[NUM_TONES];
- char prev_dec;
- char debounced;
- char prev_debounced;
- int timeout;
- } C[MAX_CHANS];
-} D;
-
-
-
-
-/*------------------------------------------------------------------
- *
- * Name: dtmf_init
- *
- * Purpose: Initialize the DTMF decoder.
- * This should be called once at application start up time.
- *
- * Inputs: sample_rate - Audio sample frequency, typically
- * 44100, 22050, 8000, etc.
- *
- * Returns: None.
- *
- *----------------------------------------------------------------*/
-
-void dtmf_init (int sample_rate)
-{
- int j; /* Loop over all tones frequencies. */
- int c; /* Loop over all audio channels. */
-
-/*
- * Processing block size.
- * Larger = narrower bandwidth, slower response.
- */
- D.sample_rate = sample_rate;
- D.block_size = (205 * sample_rate) / 8000;
-
-#if DEBUG
- dw_printf (" freq k coef \n");
-#endif
- for (j=0; j 0 && D.coef[j] < 2.0);
-#if DEBUG
- dw_printf ("%8d %5.1f %8.5f \n", dtmf_tones[j], k, D.coef[j]);
-#endif
- }
-
- for (c=0; c THRESHOLD * ( output[1] + output[2] + output[3])) row = 0;
- else if (output[1] > THRESHOLD * (output[0] + output[2] + output[3])) row = 1;
- else if (output[2] > THRESHOLD * (output[0] + output[1] + output[3])) row = 2;
- else if (output[3] > THRESHOLD * (output[0] + output[1] + output[2] )) row = 3;
- else row = -1;
-
- if (output[4] > THRESHOLD * ( output[5] + output[6] + output[7])) col = 0;
- else if (output[5] > THRESHOLD * (output[4] + output[6] + output[7])) col = 1;
- else if (output[6] > THRESHOLD * (output[4] + output[5] + output[7])) col = 2;
- else if (output[7] > THRESHOLD * (output[4] + output[5] + output[6] )) col = 3;
- else col = -1;
-
- for (i=0; i= 0 && col >= 0) {
- decoded = rc2char[row*4+col];
- }
- else {
- decoded = '.';
- }
-
-// Consider valid only if we get same twice in a row.
-
- if (decoded == D.C[c].prev_dec) {
- D.C[c].debounced = decoded;
- /* Reset timeout timer. */
- if (decoded != ' ') {
- D.C[c].timeout = ((TIMEOUT_SEC) * D.sample_rate) / D.block_size;
- }
- }
- D.C[c].prev_dec = decoded;
-
-// Return only new button pushes.
-// Also report timeout after period of inactivity.
-
- ret = '.';
- if (D.C[c].debounced != D.C[c].prev_debounced) {
- if (D.C[c].debounced != ' ') {
- ret = D.C[c].debounced;
- }
- }
- if (ret == '.') {
- if (D.C[c].timeout > 0) {
- D.C[c].timeout--;
- if (D.C[c].timeout == 0) {
- ret = '$';
- }
- }
- }
- D.C[c].prev_debounced = D.C[c].debounced;
-
-#if DEBUG
- dw_printf (" dec=%c, deb=%c, ret=%c \n",
- decoded, D.C[c].debounced, ret);
-#endif
- return (ret);
- }
-
- return (' ');
-}
-
-
-/*------------------------------------------------------------------
- *
- * Name: main
- *
- * Purpose: Unit test for functions above.
- *
- *----------------------------------------------------------------*/
-
-
-#if DTMF_TEST
-
-push_button (char button, int ms)
-{
- static float phasea = 0;
- static float phaseb = 0;
- float fa, fb;
- int i;
- float input;
- char x;
- static char result[100];
- static int result_len = 0;
-
-
- switch (button) {
- case '1': fa = dtmf_tones[0]; fb = dtmf_tones[4]; break;
- case '2': fa = dtmf_tones[0]; fb = dtmf_tones[5]; break;
- case '3': fa = dtmf_tones[0]; fb = dtmf_tones[6]; break;
- case 'A': fa = dtmf_tones[0]; fb = dtmf_tones[7]; break;
- case '4': fa = dtmf_tones[1]; fb = dtmf_tones[4]; break;
- case '5': fa = dtmf_tones[1]; fb = dtmf_tones[5]; break;
- case '6': fa = dtmf_tones[1]; fb = dtmf_tones[6]; break;
- case 'B': fa = dtmf_tones[1]; fb = dtmf_tones[7]; break;
- case '7': fa = dtmf_tones[2]; fb = dtmf_tones[4]; break;
- case '8': fa = dtmf_tones[2]; fb = dtmf_tones[5]; break;
- case '9': fa = dtmf_tones[2]; fb = dtmf_tones[6]; break;
- case 'C': fa = dtmf_tones[2]; fb = dtmf_tones[7]; break;
- case '*': fa = dtmf_tones[3]; fb = dtmf_tones[4]; break;
- case '0': fa = dtmf_tones[3]; fb = dtmf_tones[5]; break;
- case '#': fa = dtmf_tones[3]; fb = dtmf_tones[6]; break;
- case 'D': fa = dtmf_tones[3]; fb = dtmf_tones[7]; break;
- case '?':
-
- if (strcmp(result, "123A456B789C*0#D123$789$") == 0) {
- dw_printf ("\nSuccess!\n");
- }
- else {
- dw_printf ("\n *** TEST FAILED ***\n");
- dw_printf ("\"%s\"\n", result);
- }
- break;
-
- default: fa = 0; fb = 0;
- }
-
- for (i = 0; i < (ms*D.sample_rate)/1000; i++) {
-
- input = sin(phasea) + sin(phaseb);
- phasea += 2 * M_PI * fa / D.sample_rate;
- phaseb += 2 * M_PI * fb / D.sample_rate;
-
- /* Make sure it is insensitive to signal amplitude. */
-
- x = dtmf_sample (0, input);
- //x = dtmf_sample (0, input * 1000);
- //x = dtmf_sample (0, input * 0.001);
-
- if (x != ' ' && x != '.') {
- result[result_len] = x;
- result_len++;
- result[result_len] = '\0';
- }
- }
-}
-
-main ()
-{
-
- dtmf_init(44100);
-
- dw_printf ("\nFirst, check all button tone pairs. \n\n");
- /* Max auto dialing rate is 10 per second. */
-
- push_button ('1', 50); push_button (' ', 50);
- push_button ('2', 50); push_button (' ', 50);
- push_button ('3', 50); push_button (' ', 50);
- push_button ('A', 50); push_button (' ', 50);
-
- push_button ('4', 50); push_button (' ', 50);
- push_button ('5', 50); push_button (' ', 50);
- push_button ('6', 50); push_button (' ', 50);
- push_button ('B', 50); push_button (' ', 50);
-
- push_button ('7', 50); push_button (' ', 50);
- push_button ('8', 50); push_button (' ', 50);
- push_button ('9', 50); push_button (' ', 50);
- push_button ('C', 50); push_button (' ', 50);
-
- push_button ('*', 50); push_button (' ', 50);
- push_button ('0', 50); push_button (' ', 50);
- push_button ('#', 50); push_button (' ', 50);
- push_button ('D', 50); push_button (' ', 50);
-
- dw_printf ("\nShould reject very short pulses.\n\n");
-
- push_button ('1', 20); push_button (' ', 50);
- push_button ('1', 20); push_button (' ', 50);
- push_button ('1', 20); push_button (' ', 50);
- push_button ('1', 20); push_button (' ', 50);
- push_button ('1', 20); push_button (' ', 50);
-
- dw_printf ("\nTest timeout after inactivity.\n\n");
- /* For this test we use 1 second. */
- /* In practice, it will probably more like 10 or 20. */
-
- push_button ('1', 250); push_button (' ', 500);
- push_button ('2', 250); push_button (' ', 500);
- push_button ('3', 250); push_button (' ', 1200);
-
- push_button ('7', 250); push_button (' ', 500);
- push_button ('8', 250); push_button (' ', 500);
- push_button ('9', 250); push_button (' ', 1200);
-
- /* Check for expected results. */
-
- push_button ('?', 0);
-
-} /* end main */
-
-#endif
-
-/* end dtmf.c */
-
diff --git a/dtmf.h b/dtmf.h
deleted file mode 100644
index 5c3c584c..00000000
--- a/dtmf.h
+++ /dev/null
@@ -1,10 +0,0 @@
-/* dtmf.h */
-
-
-void dtmf_init (int sample_rate);
-
-char dtmf_sample (int c, float input);
-
-
-/* end dtmf.h */
-
diff --git a/dw-icon.rc b/dw-icon.rc
deleted file mode 100644
index ce34b403..00000000
--- a/dw-icon.rc
+++ /dev/null
@@ -1 +0,0 @@
-MAINICON ICON "dw-icon.ico"
\ No newline at end of file
diff --git a/dw-start.sh b/dw-start.sh
deleted file mode 100644
index b4829b4f..00000000
--- a/dw-start.sh
+++ /dev/null
@@ -1,77 +0,0 @@
-#!/bin/bash
-
-#
-# Run this from crontab periodically to start up
-# Dire Wolf automatically.
-#
-# I prefer this method instead of putting something
-# in ~/.config/autostart. That would start an application
-# only when the desktop first starts up.
-#
-# This method will restart the application if it
-# crashes or stops for any other reason.
-#
-# This script has some specifics the Raspberry Pi.
-# Some adjustments might be needed for other Linux variations.
-#
-# First wait a little while in case we just rebooted
-# and the desktop hasn't started up yet.
-#
-
-sleep 30
-
-#
-# Nothing to do if it is already running.
-#
-
-a=`ps -ef | grep direwolf | grep -v grep`
-if [ "$a" != "" ]
-then
- #date >> /tmp/dw-start.log
- #echo "Already running." >> /tmp/dw-start.log
- exit
-fi
-
-#
-# In my case, the Raspberry Pi is not connected to a monitor.
-# I access it remotely using VNC as described here:
-# http://learn.adafruit.com/adafruit-raspberry-pi-lesson-7-remote-control-with-vnc
-#
-# If VNC server is running, use its display number.
-# Otherwise default to :0.
-#
-
-date >> /tmp/dw-start.log
-
-export DISPLAY=":0"
-
-v=`ps -ef | grep Xtightvnc | grep -v grep`
-if [ "$v" != "" ]
-then
- d=`echo "$v" | sed 's/.*tightvnc *\(:[0-9]\).*/\1/'`
- export DISPLAY="$d"
-fi
-
-echo "DISPLAY=$DISPLAY" >> /tmp/dw-start.log
-
-echo "Start up application." >> /tmp/dw-start.log
-
-#
-# Adjust for your particular situation: gnome-terminal, xterm, etc.
-#
-
-if [ -x /usr/bin/lxterminal ]
-then
- /usr/bin/lxterminal -t "Dire Wolf" -e "/usr/local/bin/direwolf" &
-elif [ -x /usr/bin/xterm ]
-then
- /usr/bin/xterm -bg white -fg black -e /usr/local/bin/direwolf &
-elif [ -x /usr/bin/x-terminal-emulator ]
-then
- /usr/bin/x-terminal-emulator -e /usr/local/bin/direwolf &
-else
- echo "Did not find an X terminal emulator."
-fi
-
-echo "-----------------------" >> /tmp/dw-start.log
-
diff --git a/dwgps.c b/dwgps.c
deleted file mode 100644
index 2f5904ae..00000000
--- a/dwgps.c
+++ /dev/null
@@ -1,327 +0,0 @@
-//
-// This file is part of Dire Wolf, an amateur radio packet TNC.
-//
-// Copyright (C) 2013 John Langner, WB2OSZ
-//
-// This program is free software: you can redistribute it and/or modify
-// it under the terms of the GNU General Public License as published by
-// the Free Software Foundation, either version 2 of the License, or
-// (at your option) any later version.
-//
-// This program is distributed in the hope that it will be useful,
-// but WITHOUT ANY WARRANTY; without even the implied warranty of
-// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
-// GNU General Public License for more details.
-//
-// You should have received a copy of the GNU General Public License
-// along with this program. If not, see .
-//
-
-
-/*------------------------------------------------------------------
- *
- * Module: dwgps.c
- *
- * Purpose: Interface to location data, i.e. GPS receiver.
- *
- * Description: Tracker beacons need to know the current location.
- * At this time, I can't think of any other reason why
- * we would need this information.
- *
- * For Linux, we use gpsd and libgps.
- * This has the extra benefit that the system clock can
- * be set from the GPS signal.
- *
- * Not yet implemented for Windows. Not sure how yet.
- * The Windows location API is new in Windows 7.
- * At the end of 2013, about 1/3 of Windows users are
- * still using XP so that still needs to be supported.
- *
- * Reference:
- *
- *---------------------------------------------------------------*/
-
-#if TEST
-#define ENABLE_GPS 1
-#endif
-
-
-#include
-#include
-#include
-#include
-#include
-#include
-#include
-
-#if __WIN32__
-#include
-#else
-#if ENABLE_GPS
-#include
-
-#if GPSD_API_MAJOR_VERSION != 5
-#error libgps API version might be incompatible.
-#endif
-
-#endif
-#endif
-
-#include "direwolf.h"
-#include "textcolor.h"
-#include "dwgps.h"
-
-
-/* Was init successful? */
-
-static enum { INIT_NOT_YET, INIT_SUCCESS, INIT_FAILED } init_status = INIT_NOT_YET;
-
-#if __WIN32__
-#include
-#else
-#if ENABLE_GPS
-
-static struct gps_data_t gpsdata;
-
-#endif
-#endif
-
-
-/*-------------------------------------------------------------------
- *
- * Name: dwgps_init
- *
- * Purpose: Intialize the GPS interface.
- *
- * Inputs: none.
- *
- * Returns: 0 = success
- * -1 = failure
- *
- * Description: For Linux, this maps into gps_open.
- * Not yet implemented for Windows.
- *
- *--------------------------------------------------------------------*/
-
-int dwgps_init (void)
-{
-
-#if __WIN32__
-
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("GPS interface not yet available in Windows version.\n");
- init_status = INIT_FAILED;
- return (-1);
-
-#elif ENABLE_GPS
-
- int err;
-
- err = gps_open (GPSD_SHARED_MEMORY, NULL, &gpsdata);
- if (err != 0) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Unable to connect to GPS receiver.\n");
- if (err == NL_NOHOST) {
- dw_printf ("Shared memory interface is not enabled in libgps.\n");
- dw_printf ("Download the gpsd source and build with 'shm_export=True' option.\n");
- }
- else {
- dw_printf ("%s\n", gps_errstr(errno));
- }
- init_status = INIT_FAILED;
- return (-1);
- }
- init_status = INIT_SUCCESS;
- return (0);
-#else
-
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("GPS interface not enabled in this version.\n");
- dw_printf ("See documentation on how to rebuild with ENABLE_GPS.\n");
- init_status = INIT_FAILED;
- return (-1);
-
-#endif
-
-} /* end dwgps_init */
-
-
-
-/*-------------------------------------------------------------------
- *
- * Name: dwgps_read
- *
- * Purpose: Obtain current location from GPS receiver.
- *
- * Outputs: *plat - Latitude.
- * *plon - Longitude.
- * *pspeed - Speed, knots.
- * *pcourse - Course over ground, degrees.
- * *palt - Altitude, meters.
- *
- * Returns: -1 = error
- * 0 = data not available (no fix)
- * 2 = 2D fix, lat/lon, speed, and course are set.
- * 3 - 3D fix, altitude is also set.
- *
- *--------------------------------------------------------------------*/
-
-int dwgps_read (double *plat, double *plon, float *pspeed, float *pcourse, float *palt)
-{
-#if __WIN32__
-
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Internal error, dwgps_read, shouldn't be here.\n");
- return (-1);
-
-#elif ENABLE_GPS
-
- int err;
-
- if (init_status != INIT_SUCCESS) {
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Internal error, dwgps_read without successful init.\n");
- return (-1);
- }
-
- err = gps_read (&gpsdata);
-
-#if DEBUG
- dw_printf ("gps_read returns %d bytes\n", err);
-#endif
- if (err > 0) {
- if (gpsdata.status >= STATUS_FIX && gpsdata.fix.mode >= MODE_2D) {
-
- *plat = gpsdata.fix.latitude;
- *plon = gpsdata.fix.longitude;
- *pcourse = gpsdata.fix.track;
- *pspeed = MPS_TO_KNOTS * gpsdata.fix.speed; /* libgps uses meters/sec */
-
- if (gpsdata.fix.mode >= MODE_3D) {
- *palt = gpsdata.fix.altitude;
- return (3);
- }
- return (2);
- }
-
- /* No fix. Probably temporary condition. */
- return (0);
- }
- else if (err == 0) {
- /* No data available */
- return (0);
- }
- else {
- /* More serious error. */
- return (-1);
- }
-#else
-
- text_color_set(DW_COLOR_ERROR);
- dw_printf ("Internal error, dwgps_read, shouldn't be here.\n");
- return (-1);
-#endif
-
-} /* end dwgps_read */
-
-
-/*-------------------------------------------------------------------
- *
- * Name: dwgps_term
- *
- * Purpose: Shut down GPS interface before exiting from application.
- *
- * Inputs: none.
- *
- * Returns: none.
- *
- *--------------------------------------------------------------------*/
-
-void dwgps_term (void) {
-
-#if __WIN32__
-
-#elif ENABLE_GPS
-
- if (init_status == INIT_SUCCESS) {
- gps_close (&gpsdata);
- }
-#else
-
-#endif
-
-} /* end dwgps_term */
-
-
-
-
-/*-------------------------------------------------------------------
- *
- * Name: main
- *
- * Purpose: Simple unit test for other functions in this file.
- *
- * Description: Compile with -DTEST option.
- *
- * gcc -DTEST dwgps.c textcolor.c -lgps
- *
- *--------------------------------------------------------------------*/
-
-#if TEST
-
-int main (int argc, char *argv[])
-{
-
-#if __WIN32__
-
- printf ("Not in win32 version yet.\n");
-
-#elif ENABLE_GPS
- int err;
- int fix;
- double lat;
- double lon;
- float speed;
- float course;
- float alt;
-
- err = dwgps_init ();
-
- if (err != 0) exit(1);
-
- while (1) {
- fix = dwgps_read (&lat, &lon, &speed, &course, &alt)
;
- switch (fix) {
- case 3:
- case 2:
- dw_printf ("%.6f %.6f", lat, lon);
- dw_printf (" %.1f knots %.0f degrees", speed, course);
- if (fix==3) dw_printf (" altitude = %.1f meters", alt);
- dw_printf ("\n");
- break;
- case 0:
- dw_printf ("location currently not available.\n");
- break;
- default:
- dw_printf ("ERROR getting GPS information.\n");
- }
- sleep (3);
- }
-
-
-#else
-
- printf ("Test: Shouldn't be here.\n");
-#endif
-
-} /* end main */
-
-
-#endif
-
-
-
-/* end dwgps.c */
-
-
-
diff --git a/dwgps.h b/dwgps.h
deleted file mode 100644
index 90aa342d..00000000
--- a/dwgps.h
+++ /dev/null
@@ -1,15 +0,0 @@
-
-/* dwgps.h */
-
-
-int dwgps_init (void);
-
-int dwgps_read (double *plat, double *plon, float *pspeed, float *pcourse, float *palt);
-
-void dwgps_term (void);
-
-
-/* end dwgps.h */
-
-
-
diff --git a/encode_aprs.h b/encode_aprs.h
deleted file mode 100644
index 50696e87..00000000
--- a/encode_aprs.h
+++ /dev/null
@@ -1,16 +0,0 @@
-
-int encode_position (int compressed, double lat, double lon,
- char symtab, char symbol,
- int power, int height, int gain, char *dir,
- int course, int speed,
- float freq, float tone, float offset,
- char *comment,
- char *presult);
-
-int encode_object (char *name, int compressed, time_t thyme, double lat, double lon,
- char symtab, char symbol,
- int power, int height, int gain, char *dir,
- int course, int speed,
- float freq, float tone, float offset, char *comment,
- char *presult);
-
diff --git a/LICENSE-other.txt b/external/LICENSE
similarity index 100%
rename from LICENSE-other.txt
rename to external/LICENSE
diff --git a/external/geotranz/CMakeLists.txt b/external/geotranz/CMakeLists.txt
new file mode 100644
index 00000000..576d8b82
--- /dev/null
+++ b/external/geotranz/CMakeLists.txt
@@ -0,0 +1,17 @@
+# UTM, USNG, MGRS conversions
+
+set(GEOTRANZ_LIBRARIES geotranz CACHE INTERNAL "geotranz")
+
+list(APPEND geotranz_SOURCES
+ error_string.c
+ mgrs.c
+ polarst.c
+ tranmerc.c
+ ups.c
+ usng.c
+ utm.c
+ )
+
+add_library(geotranz STATIC
+ ${geotranz_SOURCES}
+ )
diff --git a/external/geotranz/README-FIRST.txt b/external/geotranz/README-FIRST.txt
new file mode 100644
index 00000000..602f1144
--- /dev/null
+++ b/external/geotranz/README-FIRST.txt
@@ -0,0 +1,5 @@
+
+This directory contains a subset of geotrans 2.4.2 from
+
+https://github.com/smanders/geotranz
+
diff --git a/external/geotranz/error_string.c b/external/geotranz/error_string.c
new file mode 100644
index 00000000..d9301887
--- /dev/null
+++ b/external/geotranz/error_string.c
@@ -0,0 +1,131 @@
+
+#include
+#include
+
+#include "utm.h"
+#include "mgrs.h"
+#include "usng.h"
+
+#include "error_string.h"
+
+
+// Convert error codes to text.
+// Note that the code is a bit mask so it is possible to have multiple messages.
+// Caller should probably provide space for a couple hundred characters to be safe.
+
+
+static const struct {
+ long mask;
+ char *msg;
+} utm_err [] = {
+
+ { UTM_NO_ERROR, "No errors occurred in function" },
+ { UTM_LAT_ERROR, "Latitude outside of valid range (-80.5 to 84.5 degrees)" },
+ { UTM_LON_ERROR, "Longitude outside of valid range (-180 to 360 degrees)" },
+ { UTM_EASTING_ERROR, "Easting outside of valid range (100,000 to 900,000 meters)" },
+ { UTM_NORTHING_ERROR, "Northing outside of valid range (0 to 10,000,000 meters)" },
+ { UTM_ZONE_ERROR, "Zone outside of valid range (1 to 60)" },
+ { UTM_HEMISPHERE_ERROR, "Invalid hemisphere ('N' or 'S')" },
+ { UTM_ZONE_OVERRIDE_ERROR,"Zone outside of valid range (1 to 60) and within 1 of 'natural' zone" },
+ { UTM_A_ERROR, "Semi-major axis less than or equal to zero" },
+ { UTM_INV_F_ERROR, "Inverse flattening outside of valid range (250 to 350)" },
+ { 0, NULL } };
+
+
+static const struct {
+ long mask;
+ char *msg;
+} mgrs_err [] = {
+
+ { MGRS_NO_ERROR, "No errors occurred in function" },
+ { MGRS_LAT_ERROR, "Latitude outside of valid range (-90 to 90 degrees)" },
+ { MGRS_LON_ERROR, "Longitude outside of valid range (-180 to 360 degrees)" },
+ { MGRS_STRING_ERROR, "An MGRS string error: string too long, too short, or badly formed" },
+ { MGRS_PRECISION_ERROR, "The precision must be between 0 and 5 inclusive." },
+ { MGRS_A_ERROR, "Inverse flattening outside of valid range (250 to 350)" },
+ { MGRS_INV_F_ERROR, "Invalid hemisphere ('N' or 'S')" },
+ { MGRS_EASTING_ERROR, "Easting outside of valid range (100,000 to 900,000 meters for UTM) (0 to 4,000,000 meters for UPS)" },
+ { MGRS_NORTHING_ERROR, "Northing outside of valid range (0 to 10,000,000 meters for UTM) (0 to 4,000,000 meters for UPS)" },
+ { MGRS_ZONE_ERROR, "Zone outside of valid range (1 to 60)" },
+ { MGRS_HEMISPHERE_ERROR, "Invalid hemisphere ('N' or 'S')" },
+ { MGRS_LAT_WARNING, "Latitude warning ???" },
+ { 0, NULL } };
+
+
+static const struct {
+ long mask;
+ char *msg;
+} usng_err [] = {
+
+ { USNG_NO_ERROR, "No errors occurred in function" },
+ { USNG_LAT_ERROR, "Latitude outside of valid range (-90 to 90 degrees)" },
+ { USNG_LON_ERROR, "Longitude outside of valid range (-180 to 360 degrees)" },
+ { USNG_STRING_ERROR, "A USNG string error: string too long, too short, or badly formed" },
+ { USNG_PRECISION_ERROR, "The precision must be between 0 and 5 inclusive." },
+ { USNG_A_ERROR, "Inverse flattening outside of valid range (250 to 350)" },
+ { USNG_INV_F_ERROR, "Invalid hemisphere ('N' or 'S')" },
+ { USNG_EASTING_ERROR, "Easting outside of valid range (100,000 to 900,000 meters for UTM) (0 to 4,000,000 meters for UPS)" },
+ { USNG_NORTHING_ERROR, "Northing outside of valid range (0 to 10,000,000 meters for UTM) (0 to 4,000,000 meters for UPS)" },
+ { USNG_ZONE_ERROR, "Zone outside of valid range (1 to 60)" },
+ { USNG_HEMISPHERE_ERROR, "Invalid hemisphere ('N' or 'S')" },
+ { USNG_LAT_WARNING, "Latitude warning ???" },
+ { 0, NULL } };
+
+
+
+void utm_error_string (long err, char *str)
+{
+ int n;
+
+ strcpy (str, "");
+
+ for (n = 1; utm_err[n].mask != 0; n++) {
+ if (err & utm_err[n].mask) {
+ if (strlen(str) > 0) strcat(str, "\n");
+ strcat (str, utm_err[n].msg);
+ }
+ }
+
+ if (strlen(str) == 0) {
+ strcpy (str, utm_err[0].msg);
+ }
+}
+
+void mgrs_error_string (long err, char *str)
+{
+ int n;
+
+ strcpy (str, "");
+
+ for (n = 1; mgrs_err[n].mask != 0; n++) {
+ if (err & mgrs_err[n].mask) {
+ if (strlen(str) > 0) strcat(str, "\n");
+ strcat (str, mgrs_err[n].msg);
+ }
+ }
+
+ if (strlen(str) == 0) {
+ strcpy (str, mgrs_err[0].msg);
+ }
+}
+
+
+void usng_error_string (long err, char *str)
+{
+ int n;
+
+ strcpy (str, "");
+
+ for (n = 1; usng_err[n].mask != 0; n++) {
+ if (err & usng_err[n].mask) {
+ if (strlen(str) > 0) strcat(str, "\n");
+ strcat (str, usng_err[n].msg);
+ }
+ }
+
+ if (strlen(str) == 0) {
+ strcpy (str, usng_err[0].msg);
+ }
+}
+
+
diff --git a/external/geotranz/error_string.h b/external/geotranz/error_string.h
new file mode 100644
index 00000000..43e591d8
--- /dev/null
+++ b/external/geotranz/error_string.h
@@ -0,0 +1,7 @@
+
+
+void utm_error_string (long err, char *str);
+
+void mgrs_error_string (long err, char *str);
+
+void usng_error_string (long err, char *str);
diff --git a/external/geotranz/mgrs.c b/external/geotranz/mgrs.c
new file mode 100644
index 00000000..84454abb
--- /dev/null
+++ b/external/geotranz/mgrs.c
@@ -0,0 +1,1347 @@
+/***************************************************************************/
+/* RSC IDENTIFIER: MGRS
+ *
+ * ABSTRACT
+ *
+ * This component converts between geodetic coordinates (latitude and
+ * longitude) and Military Grid Reference System (MGRS) coordinates.
+ *
+ * ERROR HANDLING
+ *
+ * This component checks parameters for valid values. If an invalid value
+ * is found, the error code is combined with the current error code using
+ * the bitwise or. This combining allows multiple error codes to be
+ * returned. The possible error codes are:
+ *
+ * MGRS_NO_ERROR : No errors occurred in function
+ * MGRS_LAT_ERROR : Latitude outside of valid range
+ * (-90 to 90 degrees)
+ * MGRS_LON_ERROR : Longitude outside of valid range
+ * (-180 to 360 degrees)
+ * MGRS_STR_ERROR : An MGRS string error: string too long,
+ * too short, or badly formed
+ * MGRS_PRECISION_ERROR : The precision must be between 0 and 5
+ * inclusive.
+ * MGRS_A_ERROR : Semi-major axis less than or equal to zero
+ * MGRS_INV_F_ERROR : Inverse flattening outside of valid range
+ * (250 to 350)
+ * MGRS_EASTING_ERROR : Easting outside of valid range
+ * (100,000 to 900,000 meters for UTM)
+ * (0 to 4,000,000 meters for UPS)
+ * MGRS_NORTHING_ERROR : Northing outside of valid range
+ * (0 to 10,000,000 meters for UTM)
+ * (0 to 4,000,000 meters for UPS)
+ * MGRS_ZONE_ERROR : Zone outside of valid range (1 to 60)
+ * MGRS_HEMISPHERE_ERROR : Invalid hemisphere ('N' or 'S')
+ *
+ * REUSE NOTES
+ *
+ * MGRS is intended for reuse by any application that does conversions
+ * between geodetic coordinates and MGRS coordinates.
+ *
+ * REFERENCES
+ *
+ * Further information on MGRS can be found in the Reuse Manual.
+ *
+ * MGRS originated from : U.S. Army Topographic Engineering Center
+ * Geospatial Information Division
+ * 7701 Telegraph Road
+ * Alexandria, VA 22310-3864
+ *
+ * LICENSES
+ *
+ * None apply to this component.
+ *
+ * RESTRICTIONS
+ *
+ *
+ * ENVIRONMENT
+ *
+ * MGRS was tested and certified in the following environments:
+ *
+ * 1. Solaris 2.5 with GCC version 2.8.1
+ * 2. Windows 95 with MS Visual C++ version 6
+ *
+ * MODIFICATIONS
+ *
+ * Date Description
+ * ---- -----------
+ * 16-11-94 Original Code
+ * 15-09-99 Reengineered upper layers
+ * 02-05-03 Corrected latitude band bug in GRID_UTM
+ * 08-20-03 Reengineered lower layers
+ */
+
+
+/***************************************************************************/
+/*
+ * INCLUDES
+ */
+#include
+#include
+#include
+#include
+#include "ups.h"
+#include "utm.h"
+#include "mgrs.h"
+
+/*
+ * ctype.h - Standard C character handling library
+ * math.h - Standard C math library
+ * stdio.h - Standard C input/output library
+ * string.h - Standard C string handling library
+ * ups.h - Universal Polar Stereographic (UPS) projection
+ * utm.h - Universal Transverse Mercator (UTM) projection
+ * mgrs.h - function prototype error checking
+ */
+
+
+/***************************************************************************/
+/*
+ * GLOBAL DECLARATIONS
+ */
+#define DEG_TO_RAD 0.017453292519943295 /* PI/180 */
+#define RAD_TO_DEG 57.29577951308232087 /* 180/PI */
+#define LETTER_A 0 /* ARRAY INDEX FOR LETTER A */
+#define LETTER_B 1 /* ARRAY INDEX FOR LETTER B */
+#define LETTER_C 2 /* ARRAY INDEX FOR LETTER C */
+#define LETTER_D 3 /* ARRAY INDEX FOR LETTER D */
+#define LETTER_E 4 /* ARRAY INDEX FOR LETTER E */
+#define LETTER_F 5 /* ARRAY INDEX FOR LETTER F */
+#define LETTER_G 6 /* ARRAY INDEX FOR LETTER G */
+#define LETTER_H 7 /* ARRAY INDEX FOR LETTER H */
+#define LETTER_I 8 /* ARRAY INDEX FOR LETTER I */
+#define LETTER_J 9 /* ARRAY INDEX FOR LETTER J */
+#define LETTER_K 10 /* ARRAY INDEX FOR LETTER K */
+#define LETTER_L 11 /* ARRAY INDEX FOR LETTER L */
+#define LETTER_M 12 /* ARRAY INDEX FOR LETTER M */
+#define LETTER_N 13 /* ARRAY INDEX FOR LETTER N */
+#define LETTER_O 14 /* ARRAY INDEX FOR LETTER O */
+#define LETTER_P 15 /* ARRAY INDEX FOR LETTER P */
+#define LETTER_Q 16 /* ARRAY INDEX FOR LETTER Q */
+#define LETTER_R 17 /* ARRAY INDEX FOR LETTER R */
+#define LETTER_S 18 /* ARRAY INDEX FOR LETTER S */
+#define LETTER_T 19 /* ARRAY INDEX FOR LETTER T */
+#define LETTER_U 20 /* ARRAY INDEX FOR LETTER U */
+#define LETTER_V 21 /* ARRAY INDEX FOR LETTER V */
+#define LETTER_W 22 /* ARRAY INDEX FOR LETTER W */
+#define LETTER_X 23 /* ARRAY INDEX FOR LETTER X */
+#define LETTER_Y 24 /* ARRAY INDEX FOR LETTER Y */
+#define LETTER_Z 25 /* ARRAY INDEX FOR LETTER Z */
+#define MGRS_LETTERS 3 /* NUMBER OF LETTERS IN MGRS */
+#define ONEHT 100000.e0 /* ONE HUNDRED THOUSAND */
+#define TWOMIL 2000000.e0 /* TWO MILLION */
+#define TRUE 1 /* CONSTANT VALUE FOR TRUE VALUE */
+#define FALSE 0 /* CONSTANT VALUE FOR FALSE VALUE */
+#define PI 3.14159265358979323e0 /* PI */
+#define PI_OVER_2 (PI / 2.0e0)
+
+#define MIN_EASTING 100000
+#define MAX_EASTING 900000
+#define MIN_NORTHING 0
+#define MAX_NORTHING 10000000
+#define MAX_PRECISION 5 /* Maximum precision of easting & northing */
+#define MIN_UTM_LAT ( (-80 * PI) / 180.0 ) /* -80 degrees in radians */
+#define MAX_UTM_LAT ( (84 * PI) / 180.0 ) /* 84 degrees in radians */
+
+#define MIN_EAST_NORTH 0
+#define MAX_EAST_NORTH 4000000
+
+
+/* Ellipsoid parameters, default to WGS 84 */
+double MGRS_a = 6378137.0; /* Semi-major axis of ellipsoid in meters */
+double MGRS_f = 1 / 298.257223563; /* Flattening of ellipsoid */
+char MGRS_Ellipsoid_Code[3] = {'W','E',0};
+
+
+/*
+ * CLARKE_1866 : Ellipsoid code for CLARKE_1866
+ * CLARKE_1880 : Ellipsoid code for CLARKE_1880
+ * BESSEL_1841 : Ellipsoid code for BESSEL_1841
+ * BESSEL_1841_NAMIBIA : Ellipsoid code for BESSEL 1841 (NAMIBIA)
+ */
+const char* CLARKE_1866 = "CC";
+const char* CLARKE_1880 = "CD";
+const char* BESSEL_1841 = "BR";
+const char* BESSEL_1841_NAMIBIA = "BN";
+
+
+typedef struct Latitude_Band_Value
+{
+ long letter; /* letter representing latitude band */
+ double min_northing; /* minimum northing for latitude band */
+ double north; /* upper latitude for latitude band */
+ double south; /* lower latitude for latitude band */
+ double northing_offset; /* latitude band northing offset */
+} Latitude_Band;
+
+static const Latitude_Band Latitude_Band_Table[20] =
+ {{LETTER_C, 1100000.0, -72.0, -80.5, 0.0},
+ {LETTER_D, 2000000.0, -64.0, -72.0, 2000000.0},
+ {LETTER_E, 2800000.0, -56.0, -64.0, 2000000.0},
+ {LETTER_F, 3700000.0, -48.0, -56.0, 2000000.0},
+ {LETTER_G, 4600000.0, -40.0, -48.0, 4000000.0},
+ {LETTER_H, 5500000.0, -32.0, -40.0, 4000000.0},
+ {LETTER_J, 6400000.0, -24.0, -32.0, 6000000.0},
+ {LETTER_K, 7300000.0, -16.0, -24.0, 6000000.0},
+ {LETTER_L, 8200000.0, -8.0, -16.0, 8000000.0},
+ {LETTER_M, 9100000.0, 0.0, -8.0, 8000000.0},
+ {LETTER_N, 0.0, 8.0, 0.0, 0.0},
+ {LETTER_P, 800000.0, 16.0, 8.0, 0.0},
+ {LETTER_Q, 1700000.0, 24.0, 16.0, 0.0},
+ {LETTER_R, 2600000.0, 32.0, 24.0, 2000000.0},
+ {LETTER_S, 3500000.0, 40.0, 32.0, 2000000.0},
+ {LETTER_T, 4400000.0, 48.0, 40.0, 4000000.0},
+ {LETTER_U, 5300000.0, 56.0, 48.0, 4000000.0},
+ {LETTER_V, 6200000.0, 64.0, 56.0, 6000000.0},
+ {LETTER_W, 7000000.0, 72.0, 64.0, 6000000.0},
+ {LETTER_X, 7900000.0, 84.5, 72.0, 6000000.0}};
+
+
+typedef struct UPS_Constant_Value
+{
+ long letter; /* letter representing latitude band */
+ long ltr2_low_value; /* 2nd letter range - low number */
+ long ltr2_high_value; /* 2nd letter range - high number */
+ long ltr3_high_value; /* 3rd letter range - high number (UPS) */
+ double false_easting; /* False easting based on 2nd letter */
+ double false_northing; /* False northing based on 3rd letter */
+} UPS_Constant;
+
+static const UPS_Constant UPS_Constant_Table[4] =
+ {{LETTER_A, LETTER_J, LETTER_Z, LETTER_Z, 800000.0, 800000.0},
+ {LETTER_B, LETTER_A, LETTER_R, LETTER_Z, 2000000.0, 800000.0},
+ {LETTER_Y, LETTER_J, LETTER_Z, LETTER_P, 800000.0, 1300000.0},
+ {LETTER_Z, LETTER_A, LETTER_J, LETTER_P, 2000000.0, 1300000.0}};
+
+/***************************************************************************/
+/*
+ * FUNCTIONS
+ */
+
+long Get_Latitude_Band_Min_Northing(long letter, double* min_northing, double* northing_offset)
+/*
+ * The function Get_Latitude_Band_Min_Northing receives a latitude band letter
+ * and uses the Latitude_Band_Table to determine the minimum northing and northing offset
+ * for that latitude band letter.
+ *
+ * letter : Latitude band letter (input)
+ * min_northing : Minimum northing for that letter (output)
+ */
+{ /* Get_Latitude_Band_Min_Northing */
+ long error_code = MGRS_NO_ERROR;
+
+ if ((letter >= LETTER_C) && (letter <= LETTER_H))
+ {
+ *min_northing = Latitude_Band_Table[letter-2].min_northing;
+ *northing_offset = Latitude_Band_Table[letter-2].northing_offset;
+ }
+ else if ((letter >= LETTER_J) && (letter <= LETTER_N))
+ {
+ *min_northing = Latitude_Band_Table[letter-3].min_northing;
+ *northing_offset = Latitude_Band_Table[letter-3].northing_offset;
+ }
+ else if ((letter >= LETTER_P) && (letter <= LETTER_X))
+ {
+ *min_northing = Latitude_Band_Table[letter-4].min_northing;
+ *northing_offset = Latitude_Band_Table[letter-4].northing_offset;
+ }
+ else
+ error_code |= MGRS_STRING_ERROR;
+
+ return error_code;
+} /* Get_Latitude_Band_Min_Northing */
+
+
+long Get_Latitude_Range(long letter, double* north, double* south)
+/*
+ * The function Get_Latitude_Range receives a latitude band letter
+ * and uses the Latitude_Band_Table to determine the latitude band
+ * boundaries for that latitude band letter.
+ *
+ * letter : Latitude band letter (input)
+ * north : Northern latitude boundary for that letter (output)
+ * north : Southern latitude boundary for that letter (output)
+ */
+{ /* Get_Latitude_Range */
+ long error_code = MGRS_NO_ERROR;
+
+ if ((letter >= LETTER_C) && (letter <= LETTER_H))
+ {
+ *north = Latitude_Band_Table[letter-2].north * DEG_TO_RAD;
+ *south = Latitude_Band_Table[letter-2].south * DEG_TO_RAD;
+ }
+ else if ((letter >= LETTER_J) && (letter <= LETTER_N))
+ {
+ *north = Latitude_Band_Table[letter-3].north * DEG_TO_RAD;
+ *south = Latitude_Band_Table[letter-3].south * DEG_TO_RAD;
+ }
+ else if ((letter >= LETTER_P) && (letter <= LETTER_X))
+ {
+ *north = Latitude_Band_Table[letter-4].north * DEG_TO_RAD;
+ *south = Latitude_Band_Table[letter-4].south * DEG_TO_RAD;
+ }
+ else
+ error_code |= MGRS_STRING_ERROR;
+
+ return error_code;
+} /* Get_Latitude_Range */
+
+
+long Get_Latitude_Letter(double latitude, int* letter)
+/*
+ * The function Get_Latitude_Letter receives a latitude value
+ * and uses the Latitude_Band_Table to determine the latitude band
+ * letter for that latitude.
+ *
+ * latitude : Latitude (input)
+ * letter : Latitude band letter (output)
+ */
+{ /* Get_Latitude_Letter */
+ double temp = 0.0;
+ long error_code = MGRS_NO_ERROR;
+ double lat_deg = latitude * RAD_TO_DEG;
+
+ if (lat_deg >= 72 && lat_deg < 84.5)
+ *letter = LETTER_X;
+ else if (lat_deg > -80.5 && lat_deg < 72)
+ {
+ temp = ((latitude + (80.0 * DEG_TO_RAD)) / (8.0 * DEG_TO_RAD)) + 1.0e-12;
+ *letter = Latitude_Band_Table[(int)temp].letter;
+ }
+ else
+ error_code |= MGRS_LAT_ERROR;
+
+ return error_code;
+} /* Get_Latitude_Letter */
+
+
+long Check_Zone(char* MGRS, long* zone_exists)
+/*
+ * The function Check_Zone receives an MGRS coordinate string.
+ * If a zone is given, TRUE is returned. Otherwise, FALSE
+ * is returned.
+ *
+ * MGRS : MGRS coordinate string (input)
+ * zone_exists : TRUE if a zone is given,
+ * FALSE if a zone is not given (output)
+ */
+{ /* Check_Zone */
+ int i = 0;
+ int j = 0;
+ int num_digits = 0;
+ long error_code = MGRS_NO_ERROR;
+
+ /* skip any leading blanks */
+ while (MGRS[i] == ' ')
+ i++;
+ j = i;
+ while (isdigit(MGRS[i]))
+ i++;
+ num_digits = i - j;
+ if (num_digits <= 2)
+ if (num_digits > 0)
+ *zone_exists = TRUE;
+ else
+ *zone_exists = FALSE;
+ else
+ error_code |= MGRS_STRING_ERROR;
+
+ return error_code;
+} /* Check_Zone */
+
+
+long Round_MGRS (double value)
+/*
+ * The function Round_MGRS rounds the input value to the
+ * nearest integer, using the standard engineering rule.
+ * The rounded integer value is then returned.
+ *
+ * value : Value to be rounded (input)
+ */
+{ /* Round_MGRS */
+ double ivalue;
+ long ival;
+ double fraction = modf (value, &ivalue);
+ ival = (long)(ivalue);
+ if ((fraction > 0.5) || ((fraction == 0.5) && (ival%2 == 1)))
+ ival++;
+ return (ival);
+} /* Round_MGRS */
+
+
+long Make_MGRS_String (char* MGRS,
+ long Zone,
+ int Letters[MGRS_LETTERS],
+ double Easting,
+ double Northing,
+ long Precision)
+/*
+ * The function Make_MGRS_String constructs an MGRS string
+ * from its component parts.
+ *
+ * MGRS : MGRS coordinate string (output)
+ * Zone : UTM Zone (input)
+ * Letters : MGRS coordinate string letters (input)
+ * Easting : Easting value (input)
+ * Northing : Northing value (input)
+ * Precision : Precision level of MGRS string (input)
+ */
+{ /* Make_MGRS_String */
+ long i;
+ long j;
+ double divisor;
+ long east;
+ long north;
+ char alphabet[] = "ABCDEFGHIJKLMNOPQRSTUVWXYZ";
+ long error_code = MGRS_NO_ERROR;
+
+ i = 0;
+ if (Zone)
+ i = sprintf (MGRS+i,"%2.2ld",Zone);
+ else
+ strcpy(MGRS, " "); // 2 spaces - Should i be set to 2?
+
+ for (j=0;j<3;j++)
+ MGRS[i++] = alphabet[Letters[j]];
+ divisor = pow (10.0, (5 - Precision));
+ Easting = fmod (Easting, 100000.0);
+ if (Easting >= 99999.5)
+ Easting = 99999.0;
+ east = (long)(Easting/divisor);
+ i += sprintf (MGRS+i, "%*.*ld", (int)Precision, (int)Precision, east);
+ Northing = fmod (Northing, 100000.0);
+ if (Northing >= 99999.5)
+ Northing = 99999.0;
+ north = (long)(Northing/divisor);
+ i += sprintf (MGRS+i, "%*.*ld", (int)Precision, (int)Precision, north);
+ return (error_code);
+} /* Make_MGRS_String */
+
+
+long Break_MGRS_String (char* MGRS,
+ long* Zone,
+ long Letters[MGRS_LETTERS],
+ double* Easting,
+ double* Northing,
+ long* Precision)
+/*
+ * The function Break_MGRS_String breaks down an MGRS
+ * coordinate string into its component parts.
+ *
+ * MGRS : MGRS coordinate string (input)
+ * Zone : UTM Zone (output)
+ * Letters : MGRS coordinate string letters (output)
+ * Easting : Easting value (output)
+ * Northing : Northing value (output)
+ * Precision : Precision level of MGRS string (output)
+ */
+{ /* Break_MGRS_String */
+ long num_digits;
+ long num_letters;
+ long i = 0;
+ long j = 0;
+ long error_code = MGRS_NO_ERROR;
+
+ while (MGRS[i] == ' ')
+ i++; /* skip any leading blanks */
+ j = i;
+ while (isdigit(MGRS[i]))
+ i++;
+ num_digits = i - j;
+ if (num_digits <= 2)
+ if (num_digits > 0)
+ {
+ char zone_string[3];
+ /* get zone */
+ strncpy (zone_string, MGRS+j, 2);
+ zone_string[2] = 0;
+ sscanf (zone_string, "%ld", Zone);
+ if ((*Zone < 1) || (*Zone > 60))
+ error_code |= MGRS_STRING_ERROR;
+ }
+ else
+ *Zone = 0;
+ else
+ error_code |= MGRS_STRING_ERROR;
+ j = i;
+
+ while (isalpha(MGRS[i]))
+ i++;
+ num_letters = i - j;
+ if (num_letters == 3)
+ {
+ /* get letters */
+ Letters[0] = (toupper(MGRS[j]) - (long)'A');
+ if ((Letters[0] == LETTER_I) || (Letters[0] == LETTER_O))
+ error_code |= MGRS_STRING_ERROR;
+ Letters[1] = (toupper(MGRS[j+1]) - (long)'A');
+ if ((Letters[1] == LETTER_I) || (Letters[1] == LETTER_O))
+ error_code |= MGRS_STRING_ERROR;
+ Letters[2] = (toupper(MGRS[j+2]) - (long)'A');
+ if ((Letters[2] == LETTER_I) || (Letters[2] == LETTER_O))
+ error_code |= MGRS_STRING_ERROR;
+ }
+ else
+ error_code |= MGRS_STRING_ERROR;
+ j = i;
+ while (isdigit(MGRS[i]))
+ i++;
+ num_digits = i - j;
+ if ((num_digits <= 10) && (num_digits%2 == 0))
+ {
+ long n;
+ char east_string[6];
+ char north_string[6];
+ long east;
+ long north;
+ double multiplier;
+ /* get easting & northing */
+ n = num_digits/2;
+ *Precision = n;
+ if (n > 0)
+ {
+ strncpy (east_string, MGRS+j, n);
+ east_string[n] = 0;
+ sscanf (east_string, "%ld", &east);
+ strncpy (north_string, MGRS+j+n, n);
+ north_string[n] = 0;
+ sscanf (north_string, "%ld", &north);
+ multiplier = pow (10.0, 5 - n);
+ *Easting = east * multiplier;
+ *Northing = north * multiplier;
+ }
+ else
+ {
+ *Easting = 0.0;
+ *Northing = 0.0;
+ }
+ }
+ else
+ error_code |= MGRS_STRING_ERROR;
+
+ return (error_code);
+} /* Break_MGRS_String */
+
+
+void Get_Grid_Values (long zone,
+ long* ltr2_low_value,
+ long* ltr2_high_value,
+ double *pattern_offset)
+/*
+ * The function getGridValues sets the letter range used for
+ * the 2nd letter in the MGRS coordinate string, based on the set
+ * number of the utm zone. It also sets the pattern offset using a
+ * value of A for the second letter of the grid square, based on
+ * the grid pattern and set number of the utm zone.
+ *
+ * zone : Zone number (input)
+ * ltr2_low_value : 2nd letter low number (output)
+ * ltr2_high_value : 2nd letter high number (output)
+ * pattern_offset : Pattern offset (output)
+ */
+{ /* BEGIN Get_Grid_Values */
+ long set_number; /* Set number (1-6) based on UTM zone number */
+ long aa_pattern; /* Pattern based on ellipsoid code */
+
+ set_number = zone % 6;
+
+ if (!set_number)
+ set_number = 6;
+
+ if (!strcmp(MGRS_Ellipsoid_Code,CLARKE_1866) || !strcmp(MGRS_Ellipsoid_Code, CLARKE_1880) ||
+ !strcmp(MGRS_Ellipsoid_Code,BESSEL_1841) || !strcmp(MGRS_Ellipsoid_Code,BESSEL_1841_NAMIBIA))
+ aa_pattern = FALSE;
+ else
+ aa_pattern = TRUE;
+
+ if ((set_number == 1) || (set_number == 4))
+ {
+ *ltr2_low_value = LETTER_A;
+ *ltr2_high_value = LETTER_H;
+ }
+ else if ((set_number == 2) || (set_number == 5))
+ {
+ *ltr2_low_value = LETTER_J;
+ *ltr2_high_value = LETTER_R;
+ }
+ else if ((set_number == 3) || (set_number == 6))
+ {
+ *ltr2_low_value = LETTER_S;
+ *ltr2_high_value = LETTER_Z;
+ }
+
+ /* False northing at A for second letter of grid square */
+ if (aa_pattern)
+ {
+ if ((set_number % 2) == 0)
+ *pattern_offset = 500000.0;
+ else
+ *pattern_offset = 0.0;
+ }
+ else
+ {
+ if ((set_number % 2) == 0)
+ *pattern_offset = 1500000.0;
+ else
+ *pattern_offset = 1000000.00;
+ }
+} /* END OF Get_Grid_Values */
+
+
+long UTM_To_MGRS (long Zone,
+ char Hemisphere,
+ double Longitude,
+ double Latitude,
+ double Easting,
+ double Northing,
+ long Precision,
+ char *MGRS)
+/*
+ * The function UTM_To_MGRS calculates an MGRS coordinate string
+ * based on the zone, latitude, easting and northing.
+ *
+ * Zone : Zone number (input)
+ * Hemisphere: Hemisphere (input)
+ * Longitude : Longitude in radians (input)
+ * Latitude : Latitude in radians (input)
+ * Easting : Easting (input)
+ * Northing : Northing (input)
+ * Precision : Precision (input)
+ * MGRS : MGRS coordinate string (output)
+ */
+{ /* BEGIN UTM_To_MGRS */
+ double pattern_offset; /* Northing offset for 3rd letter */
+ double grid_easting; /* Easting used to derive 2nd letter of MGRS */
+ double grid_northing; /* Northing used to derive 3rd letter of MGRS */
+ long ltr2_low_value; /* 2nd letter range - low number */
+ long ltr2_high_value; /* 2nd letter range - high number */
+ int letters[MGRS_LETTERS]; /* Number location of 3 letters in alphabet */
+ double divisor;
+ double rounded_easting;
+ long temp_error_code = MGRS_NO_ERROR;
+ long error_code = MGRS_NO_ERROR;
+
+ divisor = pow (10.0, (5 - Precision));
+ rounded_easting = Round_MGRS (Easting/divisor) * divisor;
+
+ /* Special check for rounding to (truncated) eastern edge of zone 31V */
+ if ((Zone == 31) && (((Latitude >= 56.0 * DEG_TO_RAD) && (Latitude < 64.0 * DEG_TO_RAD)) && ((Longitude >= 3.0 * DEG_TO_RAD) || (rounded_easting >= 500000.0))))
+ { /* Reconvert to UTM zone 32 */
+ Set_UTM_Parameters (MGRS_a, MGRS_f, 32);
+ temp_error_code = Convert_Geodetic_To_UTM (Latitude, Longitude, &Zone, &Hemisphere, &Easting, &Northing);
+ if(temp_error_code)
+ {
+ if(temp_error_code & UTM_LAT_ERROR)
+ error_code |= MGRS_LAT_ERROR;
+ if(temp_error_code & UTM_LON_ERROR)
+ error_code |= MGRS_LON_ERROR;
+ if(temp_error_code & UTM_ZONE_OVERRIDE_ERROR)
+ error_code |= MGRS_ZONE_ERROR;
+ if(temp_error_code & UTM_EASTING_ERROR)
+ error_code |= MGRS_EASTING_ERROR;
+ if(temp_error_code & UTM_NORTHING_ERROR)
+ error_code |= MGRS_NORTHING_ERROR;
+
+ return error_code;
+ }
+ else
+ /* Round easting value using new easting */
+ Easting = Round_MGRS (Easting/divisor) * divisor;
+ }
+ else
+ Easting = rounded_easting;
+
+ /* Round northing values */
+ Northing = Round_MGRS (Northing/divisor) * divisor;
+
+ if( Latitude <= 0.0 && Northing == 1.0e7)
+ {
+ Latitude = 0.0;
+ Northing = 0.0;
+ }
+
+ Get_Grid_Values(Zone, <r2_low_value, <r2_high_value, &pattern_offset);
+
+ error_code = Get_Latitude_Letter(Latitude, &letters[0]);
+
+ if (!error_code)
+ {
+ grid_northing = Northing;
+
+ while (grid_northing >= TWOMIL)
+ {
+ grid_northing = grid_northing - TWOMIL;
+ }
+ grid_northing = grid_northing + pattern_offset;
+ if(grid_northing >= TWOMIL)
+ grid_northing = grid_northing - TWOMIL;
+
+ letters[2] = (long)(grid_northing / ONEHT);
+ if (letters[2] > LETTER_H)
+ letters[2] = letters[2] + 1;
+
+ if (letters[2] > LETTER_N)
+ letters[2] = letters[2] + 1;
+
+ grid_easting = Easting;
+ if (((letters[0] == LETTER_V) && (Zone == 31)) && (grid_easting == 500000.0))
+ grid_easting = grid_easting - 1.0; /* SUBTRACT 1 METER */
+
+ letters[1] = ltr2_low_value + ((long)(grid_easting / ONEHT) -1);
+ if ((ltr2_low_value == LETTER_J) && (letters[1] > LETTER_N))
+ letters[1] = letters[1] + 1;
+
+ Make_MGRS_String (MGRS, Zone, letters, grid_easting, Northing, Precision);
+ }
+ return error_code;
+} /* END UTM_To_MGRS */
+
+
+long Set_MGRS_Parameters (double a,
+ double f,
+ char *Ellipsoid_Code)
+/*
+ * The function SET_MGRS_PARAMETERS receives the ellipsoid parameters and sets
+ * the corresponding state variables. If any errors occur, the error code(s)
+ * are returned by the function, otherwise MGRS_NO_ERROR is returned.
+ *
+ * a : Semi-major axis of ellipsoid in meters (input)
+ * f : Flattening of ellipsoid (input)
+ * Ellipsoid_Code : 2-letter code for ellipsoid (input)
+ */
+{ /* Set_MGRS_Parameters */
+
+ double inv_f = 1 / f;
+ long Error_Code = MGRS_NO_ERROR;
+
+ if (a <= 0.0)
+ { /* Semi-major axis must be greater than zero */
+ Error_Code |= MGRS_A_ERROR;
+ }
+ if ((inv_f < 250) || (inv_f > 350))
+ { /* Inverse flattening must be between 250 and 350 */
+ Error_Code |= MGRS_INV_F_ERROR;
+ }
+ if (!Error_Code)
+ { /* no errors */
+ MGRS_a = a;
+ MGRS_f = f;
+ strcpy (MGRS_Ellipsoid_Code, Ellipsoid_Code);
+ }
+ return (Error_Code);
+} /* Set_MGRS_Parameters */
+
+
+void Get_MGRS_Parameters (double *a,
+ double *f,
+ char* Ellipsoid_Code)
+/*
+ * The function Get_MGRS_Parameters returns the current ellipsoid
+ * parameters.
+ *
+ * a : Semi-major axis of ellipsoid, in meters (output)
+ * f : Flattening of ellipsoid (output)
+ * Ellipsoid_Code : 2-letter code for ellipsoid (output)
+ */
+{ /* Get_MGRS_Parameters */
+ *a = MGRS_a;
+ *f = MGRS_f;
+ strcpy (Ellipsoid_Code, MGRS_Ellipsoid_Code);
+ return;
+} /* Get_MGRS_Parameters */
+
+
+long Convert_Geodetic_To_MGRS (double Latitude,
+ double Longitude,
+ long Precision,
+ char* MGRS)
+/*
+ * The function Convert_Geodetic_To_MGRS converts Geodetic (latitude and
+ * longitude) coordinates to an MGRS coordinate string, according to the
+ * current ellipsoid parameters. If any errors occur, the error code(s)
+ * are returned by the function, otherwise MGRS_NO_ERROR is returned.
+ *
+ * Latitude : Latitude in radians (input)
+ * Longitude : Longitude in radians (input)
+ * Precision : Precision level of MGRS string (input)
+ * MGRS : MGRS coordinate string (output)
+ *
+ */
+{ /* Convert_Geodetic_To_MGRS */
+ long zone;
+ char hemisphere;
+ double easting;
+ double northing;
+ long temp_error_code = MGRS_NO_ERROR;
+ long error_code = MGRS_NO_ERROR;
+
+ if ((Latitude < -PI_OVER_2) || (Latitude > PI_OVER_2))
+ { /* Latitude out of range */
+ error_code |= MGRS_LAT_ERROR;
+ }
+ if ((Longitude < -PI) || (Longitude > (2*PI)))
+ { /* Longitude out of range */
+ error_code |= MGRS_LON_ERROR;
+ }
+ if ((Precision < 0) || (Precision > MAX_PRECISION))
+ error_code |= MGRS_PRECISION_ERROR;
+ if (!error_code)
+ {
+ if ((Latitude < MIN_UTM_LAT) || (Latitude > MAX_UTM_LAT))
+ {
+ temp_error_code = Set_UPS_Parameters (MGRS_a, MGRS_f);
+ if(!temp_error_code)
+ {
+ temp_error_code = Convert_Geodetic_To_UPS (Latitude, Longitude, &hemisphere, &easting, &northing);
+ if(!temp_error_code)
+ {
+ error_code |= Convert_UPS_To_MGRS (hemisphere, easting, northing, Precision, MGRS);
+ }
+ else
+ {
+ if(temp_error_code & UPS_LAT_ERROR)
+ error_code |= MGRS_LAT_ERROR;
+ if(temp_error_code & UPS_LON_ERROR)
+ error_code |= MGRS_LON_ERROR;
+ }
+ }
+ else
+ {
+ if(temp_error_code & UPS_A_ERROR)
+ error_code |= MGRS_A_ERROR;
+ if(temp_error_code & UPS_INV_F_ERROR)
+ error_code |= MGRS_INV_F_ERROR;
+ }
+ }
+ else
+ {
+ temp_error_code = Set_UTM_Parameters (MGRS_a, MGRS_f, 0);
+ if(!temp_error_code)
+ {
+ temp_error_code = Convert_Geodetic_To_UTM (Latitude, Longitude, &zone, &hemisphere, &easting, &northing);
+ if(!temp_error_code)
+ error_code |= UTM_To_MGRS (zone, hemisphere, Longitude, Latitude, easting, northing, Precision, MGRS);
+ else
+ {
+ if(temp_error_code & UTM_LAT_ERROR)
+ error_code |= MGRS_LAT_ERROR;
+ if(temp_error_code & UTM_LON_ERROR)
+ error_code |= MGRS_LON_ERROR;
+ if(temp_error_code & UTM_ZONE_OVERRIDE_ERROR)
+ error_code |= MGRS_ZONE_ERROR;
+ if(temp_error_code & UTM_EASTING_ERROR)
+ error_code |= MGRS_EASTING_ERROR;
+ if(temp_error_code & UTM_NORTHING_ERROR)
+ error_code |= MGRS_NORTHING_ERROR;
+ }
+ }
+ else
+ {
+ if(temp_error_code & UTM_A_ERROR)
+ error_code |= MGRS_A_ERROR;
+ if(temp_error_code & UTM_INV_F_ERROR)
+ error_code |= MGRS_INV_F_ERROR;
+ if(temp_error_code & UTM_ZONE_OVERRIDE_ERROR)
+ error_code |= MGRS_ZONE_ERROR;
+ }
+ }
+ }
+ return (error_code);
+} /* Convert_Geodetic_To_MGRS */
+
+
+long Convert_MGRS_To_Geodetic (char* MGRS,
+ double *Latitude,
+ double *Longitude)
+/*
+ * The function Convert_MGRS_To_Geodetic converts an MGRS coordinate string
+ * to Geodetic (latitude and longitude) coordinates
+ * according to the current ellipsoid parameters. If any errors occur,
+ * the error code(s) are returned by the function, otherwise UTM_NO_ERROR
+ * is returned.
+ *
+ * MGRS : MGRS coordinate string (input)
+ * Latitude : Latitude in radians (output)
+ * Longitude : Longitude in radians (output)
+ *
+ */
+{ /* Convert_MGRS_To_Geodetic */
+ long zone;
+ char hemisphere = '?';
+ double easting;
+ double northing;
+ long zone_exists;
+ long temp_error_code = MGRS_NO_ERROR;
+ long error_code = MGRS_NO_ERROR;
+
+ error_code = Check_Zone(MGRS, &zone_exists);
+ if (!error_code)
+ {
+ if (zone_exists)
+ {
+ error_code |= Convert_MGRS_To_UTM (MGRS, &zone, &hemisphere, &easting, &northing);
+ if(!error_code || (error_code & MGRS_LAT_WARNING))
+ {
+ temp_error_code = Set_UTM_Parameters (MGRS_a, MGRS_f, 0);
+ if(!temp_error_code)
+ {
+ temp_error_code = Convert_UTM_To_Geodetic (zone, hemisphere, easting, northing, Latitude, Longitude);
+ if(temp_error_code)
+ {
+ if((temp_error_code & UTM_ZONE_ERROR) || (temp_error_code & UTM_HEMISPHERE_ERROR))
+ error_code |= MGRS_STRING_ERROR;
+ if(temp_error_code & UTM_EASTING_ERROR)
+ error_code |= MGRS_EASTING_ERROR;
+ if(temp_error_code & UTM_NORTHING_ERROR)
+ error_code |= MGRS_NORTHING_ERROR;
+ }
+ }
+ else
+ {
+ if(temp_error_code & UTM_A_ERROR)
+ error_code |= MGRS_A_ERROR;
+ if(temp_error_code & UTM_INV_F_ERROR)
+ error_code |= MGRS_INV_F_ERROR;
+ if(temp_error_code & UTM_ZONE_OVERRIDE_ERROR)
+ error_code |= MGRS_ZONE_ERROR;
+ }
+ }
+ }
+ else
+ {
+ error_code |= Convert_MGRS_To_UPS (MGRS, &hemisphere, &easting, &northing);
+ if(!error_code)
+ {
+ temp_error_code = Set_UPS_Parameters (MGRS_a, MGRS_f);
+ if(!temp_error_code)
+ {
+ temp_error_code = Convert_UPS_To_Geodetic (hemisphere, easting, northing, Latitude, Longitude);
+ if(temp_error_code)
+ {
+ if(temp_error_code & UPS_HEMISPHERE_ERROR)
+ error_code |= MGRS_STRING_ERROR;
+ if(temp_error_code & UPS_EASTING_ERROR)
+ error_code |= MGRS_EASTING_ERROR;
+ if(temp_error_code & UPS_LAT_ERROR)
+ error_code |= MGRS_NORTHING_ERROR;
+ }
+ }
+ else
+ {
+ if(temp_error_code & UPS_A_ERROR)
+ error_code |= MGRS_A_ERROR;
+ if(temp_error_code & UPS_INV_F_ERROR)
+ error_code |= MGRS_INV_F_ERROR;
+ }
+ }
+ }
+ }
+ return (error_code);
+} /* END OF Convert_MGRS_To_Geodetic */
+
+
+long Convert_UTM_To_MGRS (long Zone,
+ char Hemisphere,
+ double Easting,
+ double Northing,
+ long Precision,
+ char* MGRS)
+/*
+ * The function Convert_UTM_To_MGRS converts UTM (zone, easting, and
+ * northing) coordinates to an MGRS coordinate string, according to the
+ * current ellipsoid parameters. If any errors occur, the error code(s)
+ * are returned by the function, otherwise MGRS_NO_ERROR is returned.
+ *
+ * Zone : UTM zone (input)
+ * Hemisphere : North or South hemisphere (input)
+ * Easting : Easting (X) in meters (input)
+ * Northing : Northing (Y) in meters (input)
+ * Precision : Precision level of MGRS string (input)
+ * MGRS : MGRS coordinate string (output)
+ */
+{ /* Convert_UTM_To_MGRS */
+ double latitude; /* Latitude of UTM point */
+ double longitude; /* Longitude of UTM point */
+ long utm_error_code = MGRS_NO_ERROR;
+ long error_code = MGRS_NO_ERROR;
+
+ if ((Zone < 1) || (Zone > 60))
+ error_code |= MGRS_ZONE_ERROR;
+ if ((Hemisphere != 'S') && (Hemisphere != 'N'))
+ error_code |= MGRS_HEMISPHERE_ERROR;
+ if ((Easting < MIN_EASTING) || (Easting > MAX_EASTING))
+ error_code |= MGRS_EASTING_ERROR;
+ if ((Northing < MIN_NORTHING) || (Northing > MAX_NORTHING))
+ error_code |= MGRS_NORTHING_ERROR;
+ if ((Precision < 0) || (Precision > MAX_PRECISION))
+ error_code |= MGRS_PRECISION_ERROR;
+ if (!error_code)
+ {
+ Set_UTM_Parameters (MGRS_a, MGRS_f, 0);
+ utm_error_code = Convert_UTM_To_Geodetic (Zone, Hemisphere, Easting, Northing, &latitude, &longitude);
+ if(utm_error_code)
+ {
+ if((utm_error_code & UTM_ZONE_ERROR) || (utm_error_code & UTM_HEMISPHERE_ERROR))
+ error_code |= MGRS_STRING_ERROR;
+ if(utm_error_code & UTM_EASTING_ERROR)
+ error_code |= MGRS_EASTING_ERROR;
+ if(utm_error_code & UTM_NORTHING_ERROR)
+ error_code |= MGRS_NORTHING_ERROR;
+ }
+
+ error_code = UTM_To_MGRS (Zone, Hemisphere, longitude, latitude, Easting, Northing, Precision, MGRS);
+ }
+ return (error_code);
+} /* Convert_UTM_To_MGRS */
+
+
+long Convert_MGRS_To_UTM (char *MGRS,
+ long *Zone,
+ char *Hemisphere,
+ double *Easting,
+ double *Northing)
+/*
+ * The function Convert_MGRS_To_UTM converts an MGRS coordinate string
+ * to UTM projection (zone, hemisphere, easting and northing) coordinates
+ * according to the current ellipsoid parameters. If any errors occur,
+ * the error code(s) are returned by the function, otherwise UTM_NO_ERROR
+ * is returned.
+ *
+ * MGRS : MGRS coordinate string (input)
+ * Zone : UTM zone (output)
+ * Hemisphere : North or South hemisphere (output)
+ * Easting : Easting (X) in meters (output)
+ * Northing : Northing (Y) in meters (output)
+ */
+{ /* Convert_MGRS_To_UTM */
+ double min_northing;
+ double northing_offset;
+ long ltr2_low_value;
+ long ltr2_high_value;
+ double pattern_offset;
+ double upper_lat_limit; /* North latitude limits based on 1st letter */
+ double lower_lat_limit; /* South latitude limits based on 1st letter */
+ double grid_easting; /* Easting for 100,000 meter grid square */
+ double grid_northing; /* Northing for 100,000 meter grid square */
+ long letters[MGRS_LETTERS];
+ long in_precision;
+ double latitude = 0.0;
+ double longitude = 0.0;
+ double divisor = 1.0;
+ long utm_error_code = MGRS_NO_ERROR;
+ long error_code = MGRS_NO_ERROR;
+
+ error_code = Break_MGRS_String (MGRS, Zone, letters, Easting, Northing, &in_precision);
+ if (!*Zone)
+ error_code |= MGRS_STRING_ERROR;
+ else
+ {
+ if (!error_code)
+ {
+ if ((letters[0] == LETTER_X) && ((*Zone == 32) || (*Zone == 34) || (*Zone == 36)))
+ error_code |= MGRS_STRING_ERROR;
+ else
+ {
+ if (letters[0] < LETTER_N)
+ *Hemisphere = 'S';
+ else
+ *Hemisphere = 'N';
+
+ Get_Grid_Values(*Zone, <r2_low_value, <r2_high_value, &pattern_offset);
+
+ /* Check that the second letter of the MGRS string is within
+ * the range of valid second letter values
+ * Also check that the third letter is valid */
+ if ((letters[1] < ltr2_low_value) || (letters[1] > ltr2_high_value) || (letters[2] > LETTER_V))
+ error_code |= MGRS_STRING_ERROR;
+
+ if (!error_code)
+ {
+ double row_letter_northing = (double)(letters[2]) * ONEHT;
+ grid_easting = (double)((letters[1]) - ltr2_low_value + 1) * ONEHT;
+ if ((ltr2_low_value == LETTER_J) && (letters[1] > LETTER_O))
+ grid_easting = grid_easting - ONEHT;
+
+ if (letters[2] > LETTER_O)
+ row_letter_northing = row_letter_northing - ONEHT;
+
+ if (letters[2] > LETTER_I)
+ row_letter_northing = row_letter_northing - ONEHT;
+
+ if (row_letter_northing >= TWOMIL)
+ row_letter_northing = row_letter_northing - TWOMIL;
+
+ error_code = Get_Latitude_Band_Min_Northing(letters[0], &min_northing, &northing_offset);
+ if (!error_code)
+ {
+ grid_northing = row_letter_northing - pattern_offset;
+ if(grid_northing < 0)
+ grid_northing += TWOMIL;
+
+ grid_northing += northing_offset;
+
+ if(grid_northing < min_northing)
+ grid_northing += TWOMIL;
+
+ *Easting = grid_easting + *Easting;
+ *Northing = grid_northing + *Northing;
+
+ /* check that point is within Zone Letter bounds */
+ utm_error_code = Set_UTM_Parameters(MGRS_a,MGRS_f,0);
+ if (!utm_error_code)
+ {
+ utm_error_code = Convert_UTM_To_Geodetic(*Zone,*Hemisphere,*Easting,*Northing,&latitude,&longitude);
+ if (!utm_error_code)
+ {
+ divisor = pow (10.0, in_precision);
+ error_code = Get_Latitude_Range(letters[0], &upper_lat_limit, &lower_lat_limit);
+ if (!error_code)
+ {
+ if (!(((lower_lat_limit - DEG_TO_RAD/divisor) <= latitude) && (latitude <= (upper_lat_limit + DEG_TO_RAD/divisor))))
+ error_code |= MGRS_LAT_WARNING;
+ }
+ }
+ else
+ {
+ if((utm_error_code & UTM_ZONE_ERROR) || (utm_error_code & UTM_HEMISPHERE_ERROR))
+ error_code |= MGRS_STRING_ERROR;
+ if(utm_error_code & UTM_EASTING_ERROR)
+ error_code |= MGRS_EASTING_ERROR;
+ if(utm_error_code & UTM_NORTHING_ERROR)
+ error_code |= MGRS_NORTHING_ERROR;
+ }
+ }
+ else
+ {
+ if(utm_error_code & UTM_A_ERROR)
+ error_code |= MGRS_A_ERROR;
+ if(utm_error_code & UTM_INV_F_ERROR)
+ error_code |= MGRS_INV_F_ERROR;
+ if(utm_error_code & UTM_ZONE_OVERRIDE_ERROR)
+ error_code |= MGRS_ZONE_ERROR;
+ }
+ }
+ }
+ }
+ }
+ }
+ return (error_code);
+} /* Convert_MGRS_To_UTM */
+
+
+long Convert_UPS_To_MGRS (char Hemisphere,
+ double Easting,
+ double Northing,
+ long Precision,
+ char* MGRS)
+/*
+ * The function Convert_UPS_To_MGRS converts UPS (hemisphere, easting,
+ * and northing) coordinates to an MGRS coordinate string according to
+ * the current ellipsoid parameters. If any errors occur, the error
+ * code(s) are returned by the function, otherwise UPS_NO_ERROR is
+ * returned.
+ *
+ * Hemisphere : Hemisphere either 'N' or 'S' (input)
+ * Easting : Easting/X in meters (input)
+ * Northing : Northing/Y in meters (input)
+ * Precision : Precision level of MGRS string (input)
+ * MGRS : MGRS coordinate string (output)
+ */
+{ /* Convert_UPS_To_MGRS */
+ double false_easting; /* False easting for 2nd letter */
+ double false_northing; /* False northing for 3rd letter */
+ double grid_easting; /* Easting used to derive 2nd letter of MGRS */
+ double grid_northing; /* Northing used to derive 3rd letter of MGRS */
+ long ltr2_low_value; /* 2nd letter range - low number */
+ int letters[MGRS_LETTERS]; /* Number location of 3 letters in alphabet */
+ double divisor;
+ int index = 0;
+ long error_code = MGRS_NO_ERROR;
+
+ if ((Hemisphere != 'N') && (Hemisphere != 'S'))
+ error_code |= MGRS_HEMISPHERE_ERROR;
+ if ((Easting < MIN_EAST_NORTH) || (Easting > MAX_EAST_NORTH))
+ error_code |= MGRS_EASTING_ERROR;
+ if ((Northing < MIN_EAST_NORTH) || (Northing > MAX_EAST_NORTH))
+ error_code |= MGRS_NORTHING_ERROR;
+ if ((Precision < 0) || (Precision > MAX_PRECISION))
+ error_code |= MGRS_PRECISION_ERROR;
+ if (!error_code)
+ {
+ divisor = pow (10.0, (5 - Precision));
+ Easting = Round_MGRS (Easting/divisor) * divisor;
+ Northing = Round_MGRS (Northing/divisor) * divisor;
+
+ if (Hemisphere == 'N')
+ {
+ if (Easting >= TWOMIL)
+ letters[0] = LETTER_Z;
+ else
+ letters[0] = LETTER_Y;
+
+ index = letters[0] - 22;
+ ltr2_low_value = UPS_Constant_Table[index].ltr2_low_value;
+ false_easting = UPS_Constant_Table[index].false_easting;
+ false_northing = UPS_Constant_Table[index].false_northing;
+ }
+ else
+ {
+ if (Easting >= TWOMIL)
+ letters[0] = LETTER_B;
+ else
+ letters[0] = LETTER_A;
+
+ ltr2_low_value = UPS_Constant_Table[letters[0]].ltr2_low_value;
+ false_easting = UPS_Constant_Table[letters[0]].false_easting;
+ false_northing = UPS_Constant_Table[letters[0]].false_northing;
+ }
+
+ grid_northing = Northing;
+ grid_northing = grid_northing - false_northing;
+ letters[2] = (long)(grid_northing / ONEHT);
+
+ if (letters[2] > LETTER_H)
+ letters[2] = letters[2] + 1;
+
+ if (letters[2] > LETTER_N)
+ letters[2] = letters[2] + 1;
+
+ grid_easting = Easting;
+ grid_easting = grid_easting - false_easting;
+ letters[1] = ltr2_low_value + ((long)(grid_easting / ONEHT));
+
+ if (Easting < TWOMIL)
+ {
+ if (letters[1] > LETTER_L)
+ letters[1] = letters[1] + 3;
+
+ if (letters[1] > LETTER_U)
+ letters[1] = letters[1] + 2;
+ }
+ else
+ {
+ if (letters[1] > LETTER_C)
+ letters[1] = letters[1] + 2;
+
+ if (letters[1] > LETTER_H)
+ letters[1] = letters[1] + 1;
+
+ if (letters[1] > LETTER_L)
+ letters[1] = letters[1] + 3;
+ }
+
+ Make_MGRS_String (MGRS, 0, letters, Easting, Northing, Precision);
+ }
+ return (error_code);
+} /* Convert_UPS_To_MGRS */
+
+
+long Convert_MGRS_To_UPS ( char *MGRS,
+ char *Hemisphere,
+ double *Easting,
+ double *Northing)
+/*
+ * The function Convert_MGRS_To_UPS converts an MGRS coordinate string
+ * to UPS (hemisphere, easting, and northing) coordinates, according
+ * to the current ellipsoid parameters. If any errors occur, the error
+ * code(s) are returned by the function, otherwide UPS_NO_ERROR is returned.
+ *
+ * MGRS : MGRS coordinate string (input)
+ * Hemisphere : Hemisphere either 'N' or 'S' (output)
+ * Easting : Easting/X in meters (output)
+ * Northing : Northing/Y in meters (output)
+ */
+{ /* Convert_MGRS_To_UPS */
+ long ltr2_high_value; /* 2nd letter range - high number */
+ long ltr3_high_value; /* 3rd letter range - high number (UPS) */
+ long ltr2_low_value; /* 2nd letter range - low number */
+ double false_easting; /* False easting for 2nd letter */
+ double false_northing; /* False northing for 3rd letter */
+ double grid_easting; /* easting for 100,000 meter grid square */
+ double grid_northing; /* northing for 100,000 meter grid square */
+ long zone = 0;
+ long letters[MGRS_LETTERS];
+ long in_precision = 0;
+ int index = 0;
+ long error_code = MGRS_NO_ERROR;
+
+ error_code = Break_MGRS_String (MGRS, &zone, letters, Easting, Northing, &in_precision);
+ if (zone)
+ error_code |= MGRS_STRING_ERROR;
+ else
+ {
+ if (!error_code)
+ {
+ if (letters[0] >= LETTER_Y)
+ {
+ *Hemisphere = 'N';
+
+ index = letters[0] - 22;
+ ltr2_low_value = UPS_Constant_Table[index].ltr2_low_value;
+ ltr2_high_value = UPS_Constant_Table[index].ltr2_high_value;
+ ltr3_high_value = UPS_Constant_Table[index].ltr3_high_value;
+ false_easting = UPS_Constant_Table[index].false_easting;
+ false_northing = UPS_Constant_Table[index].false_northing;
+ }
+ else
+ {
+ *Hemisphere = 'S';
+
+ ltr2_low_value = UPS_Constant_Table[letters[0]].ltr2_low_value;
+ ltr2_high_value = UPS_Constant_Table[letters[0]].ltr2_high_value;
+ ltr3_high_value = UPS_Constant_Table[letters[0]].ltr3_high_value;
+ false_easting = UPS_Constant_Table[letters[0]].false_easting;
+ false_northing = UPS_Constant_Table[letters[0]].false_northing;
+ }
+
+ /* Check that the second letter of the MGRS string is within
+ * the range of valid second letter values
+ * Also check that the third letter is valid */
+ if ((letters[1] < ltr2_low_value) || (letters[1] > ltr2_high_value) ||
+ ((letters[1] == LETTER_D) || (letters[1] == LETTER_E) ||
+ (letters[1] == LETTER_M) || (letters[1] == LETTER_N) ||
+ (letters[1] == LETTER_V) || (letters[1] == LETTER_W)) ||
+ (letters[2] > ltr3_high_value))
+ error_code |= MGRS_STRING_ERROR;
+
+ if (!error_code)
+ {
+ grid_northing = (double)letters[2] * ONEHT + false_northing;
+ if (letters[2] > LETTER_I)
+ grid_northing = grid_northing - ONEHT;
+
+ if (letters[2] > LETTER_O)
+ grid_northing = grid_northing - ONEHT;
+
+ grid_easting = (double)((letters[1]) - ltr2_low_value) * ONEHT + false_easting;
+ if (ltr2_low_value != LETTER_A)
+ {
+ if (letters[1] > LETTER_L)
+ grid_easting = grid_easting - 300000.0;
+
+ if (letters[1] > LETTER_U)
+ grid_easting = grid_easting - 200000.0;
+ }
+ else
+ {
+ if (letters[1] > LETTER_C)
+ grid_easting = grid_easting - 200000.0;
+
+ if (letters[1] > LETTER_I)
+ grid_easting = grid_easting - ONEHT;
+
+ if (letters[1] > LETTER_L)
+ grid_easting = grid_easting - 300000.0;
+ }
+
+ *Easting = grid_easting + *Easting;
+ *Northing = grid_northing + *Northing;
+ }
+ }
+ }
+ return (error_code);
+} /* Convert_MGRS_To_UPS */
+
+
+
diff --git a/external/geotranz/mgrs.h b/external/geotranz/mgrs.h
new file mode 100644
index 00000000..bd0453a1
--- /dev/null
+++ b/external/geotranz/mgrs.h
@@ -0,0 +1,253 @@
+#ifndef MGRS_H
+ #define MGRS_H
+
+/***************************************************************************/
+/* RSC IDENTIFIER: MGRS
+ *
+ * ABSTRACT
+ *
+ * This component converts between geodetic coordinates (latitude and
+ * longitude) and Military Grid Reference System (MGRS) coordinates.
+ *
+ * ERROR HANDLING
+ *
+ * This component checks parameters for valid values. If an invalid value
+ * is found, the error code is combined with the current error code using
+ * the bitwise or. This combining allows multiple error codes to be
+ * returned. The possible error codes are:
+ *
+ * MGRS_NO_ERROR : No errors occurred in function
+ * MGRS_LAT_ERROR : Latitude outside of valid range
+ * (-90 to 90 degrees)
+ * MGRS_LON_ERROR : Longitude outside of valid range
+ * (-180 to 360 degrees)
+ * MGRS_STR_ERROR : An MGRS string error: string too long,
+ * too short, or badly formed
+ * MGRS_PRECISION_ERROR : The precision must be between 0 and 5
+ * inclusive.
+ * MGRS_A_ERROR : Semi-major axis less than or equal to zero
+ * MGRS_INV_F_ERROR : Inverse flattening outside of valid range
+ * (250 to 350)
+ * MGRS_EASTING_ERROR : Easting outside of valid range
+ * (100,000 to 900,000 meters for UTM)
+ * (0 to 4,000,000 meters for UPS)
+ * MGRS_NORTHING_ERROR : Northing outside of valid range
+ * (0 to 10,000,000 meters for UTM)
+ * (0 to 4,000,000 meters for UPS)
+ * MGRS_ZONE_ERROR : Zone outside of valid range (1 to 60)
+ * MGRS_HEMISPHERE_ERROR : Invalid hemisphere ('N' or 'S')
+ *
+ * REUSE NOTES
+ *
+ * MGRS is intended for reuse by any application that does conversions
+ * between geodetic coordinates and MGRS coordinates.
+ *
+ * REFERENCES
+ *
+ * Further information on MGRS can be found in the Reuse Manual.
+ *
+ * MGRS originated from : U.S. Army Topographic Engineering Center
+ * Geospatial Information Division
+ * 7701 Telegraph Road
+ * Alexandria, VA 22310-3864
+ *
+ * LICENSES
+ *
+ * None apply to this component.
+ *
+ * RESTRICTIONS
+ *
+ *
+ * ENVIRONMENT
+ *
+ * MGRS was tested and certified in the following environments:
+ *
+ * 1. Solaris 2.5 with GCC version 2.8.1
+ * 2. Windows 95 with MS Visual C++ version 6
+ *
+ * MODIFICATIONS
+ *
+ * Date Description
+ * ---- -----------
+ * 16-11-94 Original Code
+ * 15-09-99 Reengineered upper layers
+ *
+ */
+
+
+/***************************************************************************/
+/*
+ * DEFINES
+ */
+
+ #define MGRS_NO_ERROR 0x0000
+ #define MGRS_LAT_ERROR 0x0001
+ #define MGRS_LON_ERROR 0x0002
+ #define MGRS_STRING_ERROR 0x0004
+ #define MGRS_PRECISION_ERROR 0x0008
+ #define MGRS_A_ERROR 0x0010
+ #define MGRS_INV_F_ERROR 0x0020
+ #define MGRS_EASTING_ERROR 0x0040
+ #define MGRS_NORTHING_ERROR 0x0080
+ #define MGRS_ZONE_ERROR 0x0100
+ #define MGRS_HEMISPHERE_ERROR 0x0200
+ #define MGRS_LAT_WARNING 0x0400
+
+
+/***************************************************************************/
+/*
+ * FUNCTION PROTOTYPES
+ */
+
+/* ensure proper linkage to c++ programs */
+ #ifdef __cplusplus
+extern "C" {
+ #endif
+
+
+ long Set_MGRS_Parameters(double a,
+ double f,
+ char *Ellipsoid_Code);
+/*
+ * The function Set_MGRS_Parameters receives the ellipsoid parameters and sets
+ * the corresponding state variables. If any errors occur, the error code(s)
+ * are returned by the function, otherwise MGRS_NO_ERROR is returned.
+ *
+ * a : Semi-major axis of ellipsoid in meters (input)
+ * f : Flattening of ellipsoid (input)
+ * Ellipsoid_Code : 2-letter code for ellipsoid (input)
+ */
+
+
+ void Get_MGRS_Parameters(double *a,
+ double *f,
+ char *Ellipsoid_Code);
+/*
+ * The function Get_MGRS_Parameters returns the current ellipsoid
+ * parameters.
+ *
+ * a : Semi-major axis of ellipsoid, in meters (output)
+ * f : Flattening of ellipsoid (output)
+ * Ellipsoid_Code : 2-letter code for ellipsoid (output)
+ */
+
+
+ long Convert_Geodetic_To_MGRS (double Latitude,
+ double Longitude,
+ long Precision,
+ char *MGRS);
+/*
+ * The function Convert_Geodetic_To_MGRS converts geodetic (latitude and
+ * longitude) coordinates to an MGRS coordinate string, according to the
+ * current ellipsoid parameters. If any errors occur, the error code(s)
+ * are returned by the function, otherwise MGRS_NO_ERROR is returned.
+ *
+ * Latitude : Latitude in radians (input)
+ * Longitude : Longitude in radians (input)
+ * Precision : Precision level of MGRS string (input)
+ * MGRS : MGRS coordinate string (output)
+ *
+ */
+
+
+ long Convert_MGRS_To_Geodetic (char *MGRS,
+ double *Latitude,
+ double *Longitude);
+/*
+ * This function converts an MGRS coordinate string to Geodetic (latitude
+ * and longitude in radians) coordinates. If any errors occur, the error
+ * code(s) are returned by the function, otherwise MGRS_NO_ERROR is returned.
+ *
+ * MGRS : MGRS coordinate string (input)
+ * Latitude : Latitude in radians (output)
+ * Longitude : Longitude in radians (output)
+ *
+ */
+
+
+ long Convert_UTM_To_MGRS (long Zone,
+ char Hemisphere,
+ double Easting,
+ double Northing,
+ long Precision,
+ char *MGRS);
+/*
+ * The function Convert_UTM_To_MGRS converts UTM (zone, easting, and
+ * northing) coordinates to an MGRS coordinate string, according to the
+ * current ellipsoid parameters. If any errors occur, the error code(s)
+ * are returned by the function, otherwise MGRS_NO_ERROR is returned.
+ *
+ * Zone : UTM zone (input)
+ * Hemisphere : North or South hemisphere (input)
+ * Easting : Easting (X) in meters (input)
+ * Northing : Northing (Y) in meters (input)
+ * Precision : Precision level of MGRS string (input)
+ * MGRS : MGRS coordinate string (output)
+ */
+
+
+ long Convert_MGRS_To_UTM (char *MGRS,
+ long *Zone,
+ char *Hemisphere,
+ double *Easting,
+ double *Northing);
+/*
+ * The function Convert_MGRS_To_UTM converts an MGRS coordinate string
+ * to UTM projection (zone, hemisphere, easting and northing) coordinates
+ * according to the current ellipsoid parameters. If any errors occur,
+ * the error code(s) are returned by the function, otherwise UTM_NO_ERROR
+ * is returned.
+ *
+ * MGRS : MGRS coordinate string (input)
+ * Zone : UTM zone (output)
+ * Hemisphere : North or South hemisphere (output)
+ * Easting : Easting (X) in meters (output)
+ * Northing : Northing (Y) in meters (output)
+ */
+
+
+
+ long Convert_UPS_To_MGRS ( char Hemisphere,
+ double Easting,
+ double Northing,
+ long Precision,
+ char *MGRS);
+
+/*
+ * The function Convert_UPS_To_MGRS converts UPS (hemisphere, easting,
+ * and northing) coordinates to an MGRS coordinate string according to
+ * the current ellipsoid parameters. If any errors occur, the error
+ * code(s) are returned by the function, otherwise UPS_NO_ERROR is
+ * returned.
+ *
+ * Hemisphere : Hemisphere either 'N' or 'S' (input)
+ * Easting : Easting/X in meters (input)
+ * Northing : Northing/Y in meters (input)
+ * Precision : Precision level of MGRS string (input)
+ * MGRS : MGRS coordinate string (output)
+ */
+
+
+ long Convert_MGRS_To_UPS ( char *MGRS,
+ char *Hemisphere,
+ double *Easting,
+ double *Northing);
+/*
+ * The function Convert_MGRS_To_UPS converts an MGRS coordinate string
+ * to UPS (hemisphere, easting, and northing) coordinates, according
+ * to the current ellipsoid parameters. If any errors occur, the error
+ * code(s) are returned by the function, otherwise UPS_NO_ERROR is returned.
+ *
+ * MGRS : MGRS coordinate string (input)
+ * Hemisphere : Hemisphere either 'N' or 'S' (output)
+ * Easting : Easting/X in meters (output)
+ * Northing : Northing/Y in meters (output)
+ */
+
+
+
+ #ifdef __cplusplus
+}
+ #endif
+
+#endif /* MGRS_H */
diff --git a/external/geotranz/polarst.c b/external/geotranz/polarst.c
new file mode 100644
index 00000000..d32f9e84
--- /dev/null
+++ b/external/geotranz/polarst.c
@@ -0,0 +1,523 @@
+/***************************************************************************/
+/* RSC IDENTIFIER: POLAR STEREOGRAPHIC
+ *
+ *
+ * ABSTRACT
+ *
+ * This component provides conversions between geodetic (latitude and
+ * longitude) coordinates and Polar Stereographic (easting and northing)
+ * coordinates.
+ *
+ * ERROR HANDLING
+ *
+ * This component checks parameters for valid values. If an invalid
+ * value is found the error code is combined with the current error code
+ * using the bitwise or. This combining allows multiple error codes to
+ * be returned. The possible error codes are:
+ *
+ * POLAR_NO_ERROR : No errors occurred in function
+ * POLAR_LAT_ERROR : Latitude outside of valid range
+ * (-90 to 90 degrees)
+ * POLAR_LON_ERROR : Longitude outside of valid range
+ * (-180 to 360 degrees)
+ * POLAR_ORIGIN_LAT_ERROR : Latitude of true scale outside of valid
+ * range (-90 to 90 degrees)
+ * POLAR_ORIGIN_LON_ERROR : Longitude down from pole outside of valid
+ * range (-180 to 360 degrees)
+ * POLAR_EASTING_ERROR : Easting outside of valid range,
+ * depending on ellipsoid and
+ * projection parameters
+ * POLAR_NORTHING_ERROR : Northing outside of valid range,
+ * depending on ellipsoid and
+ * projection parameters
+ * POLAR_RADIUS_ERROR : Coordinates too far from pole,
+ * depending on ellipsoid and
+ * projection parameters
+ * POLAR_A_ERROR : Semi-major axis less than or equal to zero
+ * POLAR_INV_F_ERROR : Inverse flattening outside of valid range
+ * (250 to 350)
+ *
+ *
+ * REUSE NOTES
+ *
+ * POLAR STEREOGRAPHIC is intended for reuse by any application that
+ * performs a Polar Stereographic projection.
+ *
+ *
+ * REFERENCES
+ *
+ * Further information on POLAR STEREOGRAPHIC can be found in the
+ * Reuse Manual.
+ *
+ *
+ * POLAR STEREOGRAPHIC originated from :
+ * U.S. Army Topographic Engineering Center
+ * Geospatial Information Division
+ * 7701 Telegraph Road
+ * Alexandria, VA 22310-3864
+ *
+ *
+ * LICENSES
+ *
+ * None apply to this component.
+ *
+ *
+ * RESTRICTIONS
+ *
+ * POLAR STEREOGRAPHIC has no restrictions.
+ *
+ *
+ * ENVIRONMENT
+ *
+ * POLAR STEREOGRAPHIC was tested and certified in the following
+ * environments:
+ *
+ * 1. Solaris 2.5 with GCC, version 2.8.1
+ * 2. Window 95 with MS Visual C++, version 6
+ *
+ *
+ * MODIFICATIONS
+ *
+ * Date Description
+ * ---- -----------
+ * 06-11-95 Original Code
+ * 03-01-97 Original Code
+ *
+ *
+ */
+
+
+/************************************************************************/
+/*
+ * INCLUDES
+ */
+
+#include
+#include "polarst.h"
+
+/*
+ * math.h - Standard C math library
+ * polarst.h - Is for prototype error checking
+ */
+
+
+/************************************************************************/
+/* DEFINES
+ *
+ */
+
+
+#define PI 3.14159265358979323e0 /* PI */
+#define PI_OVER_2 (PI / 2.0)
+#define TWO_PI (2.0 * PI)
+#define POLAR_POW(EsSin) pow((1.0 - EsSin) / (1.0 + EsSin), es_OVER_2)
+
+/************************************************************************/
+/* GLOBAL DECLARATIONS
+ *
+ */
+
+const double PI_Over_4 = (PI / 4.0);
+
+/* Ellipsoid Parameters, default to WGS 84 */
+static double Polar_a = 6378137.0; /* Semi-major axis of ellipsoid in meters */
+static double Polar_f = 1 / 298.257223563; /* Flattening of ellipsoid */
+static double es = 0.08181919084262188000; /* Eccentricity of ellipsoid */
+static double es_OVER_2 = .040909595421311; /* es / 2.0 */
+static double Southern_Hemisphere = 0; /* Flag variable */
+static double tc = 1.0;
+static double e4 = 1.0033565552493;
+static double Polar_a_mc = 6378137.0; /* Polar_a * mc */
+static double two_Polar_a = 12756274.0; /* 2.0 * Polar_a */
+
+/* Polar Stereographic projection Parameters */
+static double Polar_Origin_Lat = ((PI * 90) / 180); /* Latitude of origin in radians */
+static double Polar_Origin_Long = 0.0; /* Longitude of origin in radians */
+static double Polar_False_Easting = 0.0; /* False easting in meters */
+static double Polar_False_Northing = 0.0; /* False northing in meters */
+
+/* Maximum variance for easting and northing values for WGS 84. */
+static double Polar_Delta_Easting = 12713601.0;
+static double Polar_Delta_Northing = 12713601.0;
+
+/* These state variables are for optimization purposes. The only function
+ * that should modify them is Set_Polar_Stereographic_Parameters.
+ */
+
+
+/************************************************************************/
+/* FUNCTIONS
+ *
+ */
+
+
+long Set_Polar_Stereographic_Parameters (double a,
+ double f,
+ double Latitude_of_True_Scale,
+ double Longitude_Down_from_Pole,
+ double False_Easting,
+ double False_Northing)
+
+{ /* BEGIN Set_Polar_Stereographic_Parameters */
+/*
+ * The function Set_Polar_Stereographic_Parameters receives the ellipsoid
+ * parameters and Polar Stereograpic projection parameters as inputs, and
+ * sets the corresponding state variables. If any errors occur, error
+ * code(s) are returned by the function, otherwise POLAR_NO_ERROR is returned.
+ *
+ * a : Semi-major axis of ellipsoid, in meters (input)
+ * f : Flattening of ellipsoid (input)
+ * Latitude_of_True_Scale : Latitude of true scale, in radians (input)
+ * Longitude_Down_from_Pole : Longitude down from pole, in radians (input)
+ * False_Easting : Easting (X) at center of projection, in meters (input)
+ * False_Northing : Northing (Y) at center of projection, in meters (input)
+ */
+
+ double es2;
+ double slat, clat;
+ double essin;
+ double one_PLUS_es, one_MINUS_es;
+ double pow_es;
+ double temp, temp_northing = 0;
+ double inv_f = 1 / f;
+ double mc;
+// const double epsilon = 1.0e-2;
+ long Error_Code = POLAR_NO_ERROR;
+
+ if (a <= 0.0)
+ { /* Semi-major axis must be greater than zero */
+ Error_Code |= POLAR_A_ERROR;
+ }
+ if ((inv_f < 250) || (inv_f > 350))
+ { /* Inverse flattening must be between 250 and 350 */
+ Error_Code |= POLAR_INV_F_ERROR;
+ }
+ if ((Latitude_of_True_Scale < -PI_OVER_2) || (Latitude_of_True_Scale > PI_OVER_2))
+ { /* Origin Latitude out of range */
+ Error_Code |= POLAR_ORIGIN_LAT_ERROR;
+ }
+ if ((Longitude_Down_from_Pole < -PI) || (Longitude_Down_from_Pole > TWO_PI))
+ { /* Origin Longitude out of range */
+ Error_Code |= POLAR_ORIGIN_LON_ERROR;
+ }
+
+ if (!Error_Code)
+ { /* no errors */
+
+ Polar_a = a;
+ two_Polar_a = 2.0 * Polar_a;
+ Polar_f = f;
+
+ if (Longitude_Down_from_Pole > PI)
+ Longitude_Down_from_Pole -= TWO_PI;
+ if (Latitude_of_True_Scale < 0)
+ {
+ Southern_Hemisphere = 1;
+ Polar_Origin_Lat = -Latitude_of_True_Scale;
+ Polar_Origin_Long = -Longitude_Down_from_Pole;
+ }
+ else
+ {
+ Southern_Hemisphere = 0;
+ Polar_Origin_Lat = Latitude_of_True_Scale;
+ Polar_Origin_Long = Longitude_Down_from_Pole;
+ }
+ Polar_False_Easting = False_Easting;
+ Polar_False_Northing = False_Northing;
+
+ es2 = 2 * Polar_f - Polar_f * Polar_f;
+ es = sqrt(es2);
+ es_OVER_2 = es / 2.0;
+
+ if (fabs(fabs(Polar_Origin_Lat) - PI_OVER_2) > 1.0e-10)
+ {
+ slat = sin(Polar_Origin_Lat);
+ essin = es * slat;
+ pow_es = POLAR_POW(essin);
+ clat = cos(Polar_Origin_Lat);
+ mc = clat / sqrt(1.0 - essin * essin);
+ Polar_a_mc = Polar_a * mc;
+ tc = tan(PI_Over_4 - Polar_Origin_Lat / 2.0) / pow_es;
+ }
+ else
+ {
+ one_PLUS_es = 1.0 + es;
+ one_MINUS_es = 1.0 - es;
+ e4 = sqrt(pow(one_PLUS_es, one_PLUS_es) * pow(one_MINUS_es, one_MINUS_es));
+ }
+
+ /* Calculate Radius */
+ Convert_Geodetic_To_Polar_Stereographic(0, Longitude_Down_from_Pole,
+ &temp, &temp_northing);
+
+ Polar_Delta_Northing = temp_northing;
+ if(Polar_False_Northing)
+ Polar_Delta_Northing -= Polar_False_Northing;
+ if (Polar_Delta_Northing < 0)
+ Polar_Delta_Northing = -Polar_Delta_Northing;
+ Polar_Delta_Northing *= 1.01;
+
+ Polar_Delta_Easting = Polar_Delta_Northing;
+
+ /* Polar_Delta_Easting = temp_northing;
+ if(Polar_False_Easting)
+ Polar_Delta_Easting -= Polar_False_Easting;
+ if (Polar_Delta_Easting < 0)
+ Polar_Delta_Easting = -Polar_Delta_Easting;
+ Polar_Delta_Easting *= 1.01;*/
+ }
+
+ return (Error_Code);
+} /* END OF Set_Polar_Stereographic_Parameters */
+
+
+
+void Get_Polar_Stereographic_Parameters (double *a,
+ double *f,
+ double *Latitude_of_True_Scale,
+ double *Longitude_Down_from_Pole,
+ double *False_Easting,
+ double *False_Northing)
+
+{ /* BEGIN Get_Polar_Stereographic_Parameters */
+/*
+ * The function Get_Polar_Stereographic_Parameters returns the current
+ * ellipsoid parameters and Polar projection parameters.
+ *
+ * a : Semi-major axis of ellipsoid, in meters (output)
+ * f : Flattening of ellipsoid (output)
+ * Latitude_of_True_Scale : Latitude of true scale, in radians (output)
+ * Longitude_Down_from_Pole : Longitude down from pole, in radians (output)
+ * False_Easting : Easting (X) at center of projection, in meters (output)
+ * False_Northing : Northing (Y) at center of projection, in meters (output)
+ */
+
+ *a = Polar_a;
+ *f = Polar_f;
+ *Latitude_of_True_Scale = Polar_Origin_Lat;
+ *Longitude_Down_from_Pole = Polar_Origin_Long;
+ *False_Easting = Polar_False_Easting;
+ *False_Northing = Polar_False_Northing;
+ return;
+} /* END OF Get_Polar_Stereographic_Parameters */
+
+
+long Convert_Geodetic_To_Polar_Stereographic (double Latitude,
+ double Longitude,
+ double *Easting,
+ double *Northing)
+
+{ /* BEGIN Convert_Geodetic_To_Polar_Stereographic */
+
+/*
+ * The function Convert_Geodetic_To_Polar_Stereographic converts geodetic
+ * coordinates (latitude and longitude) to Polar Stereographic coordinates
+ * (easting and northing), according to the current ellipsoid
+ * and Polar Stereographic projection parameters. If any errors occur, error
+ * code(s) are returned by the function, otherwise POLAR_NO_ERROR is returned.
+ *
+ * Latitude : Latitude, in radians (input)
+ * Longitude : Longitude, in radians (input)
+ * Easting : Easting (X), in meters (output)
+ * Northing : Northing (Y), in meters (output)
+ */
+
+ double dlam;
+ double slat;
+ double essin;
+ double t;
+ double rho;
+ double pow_es;
+ long Error_Code = POLAR_NO_ERROR;
+
+ if ((Latitude < -PI_OVER_2) || (Latitude > PI_OVER_2))
+ { /* Latitude out of range */
+ Error_Code |= POLAR_LAT_ERROR;
+ }
+ if ((Latitude < 0) && (Southern_Hemisphere == 0))
+ { /* Latitude and Origin Latitude in different hemispheres */
+ Error_Code |= POLAR_LAT_ERROR;
+ }
+ if ((Latitude > 0) && (Southern_Hemisphere == 1))
+ { /* Latitude and Origin Latitude in different hemispheres */
+ Error_Code |= POLAR_LAT_ERROR;
+ }
+ if ((Longitude < -PI) || (Longitude > TWO_PI))
+ { /* Longitude out of range */
+ Error_Code |= POLAR_LON_ERROR;
+ }
+
+
+ if (!Error_Code)
+ { /* no errors */
+
+ if (fabs(fabs(Latitude) - PI_OVER_2) < 1.0e-10)
+ {
+ *Easting = Polar_False_Easting;
+ *Northing = Polar_False_Northing;
+ }
+ else
+ {
+ if (Southern_Hemisphere != 0)
+ {
+ Longitude *= -1.0;
+ Latitude *= -1.0;
+ }
+ dlam = Longitude - Polar_Origin_Long;
+ if (dlam > PI)
+ {
+ dlam -= TWO_PI;
+ }
+ if (dlam < -PI)
+ {
+ dlam += TWO_PI;
+ }
+ slat = sin(Latitude);
+ essin = es * slat;
+ pow_es = POLAR_POW(essin);
+ t = tan(PI_Over_4 - Latitude / 2.0) / pow_es;
+
+ if (fabs(fabs(Polar_Origin_Lat) - PI_OVER_2) > 1.0e-10)
+ rho = Polar_a_mc * t / tc;
+ else
+ rho = two_Polar_a * t / e4;
+
+
+ if (Southern_Hemisphere != 0)
+ {
+ *Easting = -(rho * sin(dlam) - Polar_False_Easting);
+ // *Easting *= -1.0;
+ *Northing = rho * cos(dlam) + Polar_False_Northing;
+ }
+ else
+ {
+ *Easting = rho * sin(dlam) + Polar_False_Easting;
+ *Northing = -rho * cos(dlam) + Polar_False_Northing;
+ }
+
+ }
+ }
+ return (Error_Code);
+} /* END OF Convert_Geodetic_To_Polar_Stereographic */
+
+
+long Convert_Polar_Stereographic_To_Geodetic (double Easting,
+ double Northing,
+ double *Latitude,
+ double *Longitude)
+
+{ /* BEGIN Convert_Polar_Stereographic_To_Geodetic */
+/*
+ * The function Convert_Polar_Stereographic_To_Geodetic converts Polar
+ * Stereographic coordinates (easting and northing) to geodetic
+ * coordinates (latitude and longitude) according to the current ellipsoid
+ * and Polar Stereographic projection Parameters. If any errors occur, the
+ * code(s) are returned by the function, otherwise POLAR_NO_ERROR
+ * is returned.
+ *
+ * Easting : Easting (X), in meters (input)
+ * Northing : Northing (Y), in meters (input)
+ * Latitude : Latitude, in radians (output)
+ * Longitude : Longitude, in radians (output)
+ *
+ */
+
+ double dy = 0, dx = 0;
+ double rho = 0;
+ double t;
+ double PHI, sin_PHI;
+ double tempPHI = 0.0;
+ double essin;
+ double pow_es;
+ double delta_radius;
+ long Error_Code = POLAR_NO_ERROR;
+ double min_easting = Polar_False_Easting - Polar_Delta_Easting;
+ double max_easting = Polar_False_Easting + Polar_Delta_Easting;
+ double min_northing = Polar_False_Northing - Polar_Delta_Northing;
+ double max_northing = Polar_False_Northing + Polar_Delta_Northing;
+
+ if (Easting > max_easting || Easting < min_easting)
+ { /* Easting out of range */
+ Error_Code |= POLAR_EASTING_ERROR;
+ }
+ if (Northing > max_northing || Northing < min_northing)
+ { /* Northing out of range */
+ Error_Code |= POLAR_NORTHING_ERROR;
+ }
+
+ if (!Error_Code)
+ {
+ dy = Northing - Polar_False_Northing;
+ dx = Easting - Polar_False_Easting;
+
+ /* Radius of point with origin of false easting, false northing */
+ rho = sqrt(dx * dx + dy * dy);
+
+ delta_radius = sqrt(Polar_Delta_Easting * Polar_Delta_Easting + Polar_Delta_Northing * Polar_Delta_Northing);
+
+ if(rho > delta_radius)
+ { /* Point is outside of projection area */
+ Error_Code |= POLAR_RADIUS_ERROR;
+ }
+
+ if (!Error_Code)
+ { /* no errors */
+ if ((dy == 0.0) && (dx == 0.0))
+ {
+ *Latitude = PI_OVER_2;
+ *Longitude = Polar_Origin_Long;
+
+ }
+ else
+ {
+ if (Southern_Hemisphere != 0)
+ {
+ dy *= -1.0;
+ dx *= -1.0;
+ }
+
+ if (fabs(fabs(Polar_Origin_Lat) - PI_OVER_2) > 1.0e-10)
+ t = rho * tc / (Polar_a_mc);
+ else
+ t = rho * e4 / (two_Polar_a);
+ PHI = PI_OVER_2 - 2.0 * atan(t);
+ while (fabs(PHI - tempPHI) > 1.0e-10)
+ {
+ tempPHI = PHI;
+ sin_PHI = sin(PHI);
+ essin = es * sin_PHI;
+ pow_es = POLAR_POW(essin);
+ PHI = PI_OVER_2 - 2.0 * atan(t * pow_es);
+ }
+ *Latitude = PHI;
+ *Longitude = Polar_Origin_Long + atan2(dx, -dy);
+
+ if (*Longitude > PI)
+ *Longitude -= TWO_PI;
+ else if (*Longitude < -PI)
+ *Longitude += TWO_PI;
+
+
+ if (*Latitude > PI_OVER_2) /* force distorted values to 90, -90 degrees */
+ *Latitude = PI_OVER_2;
+ else if (*Latitude < -PI_OVER_2)
+ *Latitude = -PI_OVER_2;
+
+ if (*Longitude > PI) /* force distorted values to 180, -180 degrees */
+ *Longitude = PI;
+ else if (*Longitude < -PI)
+ *Longitude = -PI;
+
+ }
+ if (Southern_Hemisphere != 0)
+ {
+ *Latitude *= -1.0;
+ *Longitude *= -1.0;
+ }
+ }
+ }
+ return (Error_Code);
+} /* END OF Convert_Polar_Stereographic_To_Geodetic */
+
+
+
diff --git a/external/geotranz/polarst.h b/external/geotranz/polarst.h
new file mode 100644
index 00000000..60b8aa00
--- /dev/null
+++ b/external/geotranz/polarst.h
@@ -0,0 +1,202 @@
+#ifndef POLARST_H
+ #define POLARST_H
+/***************************************************************************/
+/* RSC IDENTIFIER: POLAR STEREOGRAPHIC
+ *
+ *
+ * ABSTRACT
+ *
+ * This component provides conversions between geodetic (latitude and
+ * longitude) coordinates and Polar Stereographic (easting and northing)
+ * coordinates.
+ *
+ * ERROR HANDLING
+ *
+ * This component checks parameters for valid values. If an invalid
+ * value is found the error code is combined with the current error code
+ * using the bitwise or. This combining allows multiple error codes to
+ * be returned. The possible error codes are:
+ *
+ * POLAR_NO_ERROR : No errors occurred in function
+ * POLAR_LAT_ERROR : Latitude outside of valid range
+ * (-90 to 90 degrees)
+ * POLAR_LON_ERROR : Longitude outside of valid range
+ * (-180 to 360 degrees)
+ * POLAR_ORIGIN_LAT_ERROR : Latitude of true scale outside of valid
+ * range (-90 to 90 degrees)
+ * POLAR_ORIGIN_LON_ERROR : Longitude down from pole outside of valid
+ * range (-180 to 360 degrees)
+ * POLAR_EASTING_ERROR : Easting outside of valid range,
+ * depending on ellipsoid and
+ * projection parameters
+ * POLAR_NORTHING_ERROR : Northing outside of valid range,
+ * depending on ellipsoid and
+ * projection parameters
+ * POLAR_RADIUS_ERROR : Coordinates too far from pole,
+ * depending on ellipsoid and
+ * projection parameters
+ * POLAR_A_ERROR : Semi-major axis less than or equal to zero
+ * POLAR_INV_F_ERROR : Inverse flattening outside of valid range
+ * (250 to 350)
+ *
+ *
+ * REUSE NOTES
+ *
+ * POLAR STEREOGRAPHIC is intended for reuse by any application that
+ * performs a Polar Stereographic projection.
+ *
+ *
+ * REFERENCES
+ *
+ * Further information on POLAR STEREOGRAPHIC can be found in the
+ * Reuse Manual.
+ *
+ *
+ * POLAR STEREOGRAPHIC originated from :
+ * U.S. Army Topographic Engineering Center
+ * Geospatial Information Division
+ * 7701 Telegraph Road
+ * Alexandria, VA 22310-3864
+ *
+ *
+ * LICENSES
+ *
+ * None apply to this component.
+ *
+ *
+ * RESTRICTIONS
+ *
+ * POLAR STEREOGRAPHIC has no restrictions.
+ *
+ *
+ * ENVIRONMENT
+ *
+ * POLAR STEREOGRAPHIC was tested and certified in the following
+ * environments:
+ *
+ * 1. Solaris 2.5 with GCC, version 2.8.1
+ * 2. Window 95 with MS Visual C++, version 6
+ *
+ *
+ * MODIFICATIONS
+ *
+ * Date Description
+ * ---- -----------
+ * 06-11-95 Original Code
+ * 03-01-97 Original Code
+ *
+ *
+ */
+
+
+/**********************************************************************/
+/*
+ * DEFINES
+ */
+
+ #define POLAR_NO_ERROR 0x0000
+ #define POLAR_LAT_ERROR 0x0001
+ #define POLAR_LON_ERROR 0x0002
+ #define POLAR_ORIGIN_LAT_ERROR 0x0004
+ #define POLAR_ORIGIN_LON_ERROR 0x0008
+ #define POLAR_EASTING_ERROR 0x0010
+ #define POLAR_NORTHING_ERROR 0x0020
+ #define POLAR_A_ERROR 0x0040
+ #define POLAR_INV_F_ERROR 0x0080
+ #define POLAR_RADIUS_ERROR 0x0100
+
+/**********************************************************************/
+/*
+ * FUNCTION PROTOTYPES
+ */
+
+/* ensure proper linkage to c++ programs */
+ #ifdef __cplusplus
+extern "C" {
+ #endif
+
+ long Set_Polar_Stereographic_Parameters (double a,
+ double f,
+ double Latitude_of_True_Scale,
+ double Longitude_Down_from_Pole,
+ double False_Easting,
+ double False_Northing);
+/*
+ * The function Set_Polar_Stereographic_Parameters receives the ellipsoid
+ * parameters and Polar Stereograpic projection parameters as inputs, and
+ * sets the corresponding state variables. If any errors occur, error
+ * code(s) are returned by the function, otherwise POLAR_NO_ERROR is returned.
+ *
+ * a : Semi-major axis of ellipsoid, in meters (input)
+ * f : Flattening of ellipsoid (input)
+ * Latitude_of_True_Scale : Latitude of true scale, in radians (input)
+ * Longitude_Down_from_Pole : Longitude down from pole, in radians (input)
+ * False_Easting : Easting (X) at center of projection, in meters (input)
+ * False_Northing : Northing (Y) at center of projection, in meters (input)
+ */
+
+
+ void Get_Polar_Stereographic_Parameters (double *a,
+ double *f,
+ double *Latitude_of_True_Scale,
+ double *Longitude_Down_from_Pole,
+ double *False_Easting,
+ double *False_Northing);
+/*
+ * The function Get_Polar_Stereographic_Parameters returns the current
+ * ellipsoid parameters and Polar projection parameters.
+ *
+ * a : Semi-major axis of ellipsoid, in meters (output)
+ * f : Flattening of ellipsoid (output)
+ * Latitude_of_True_Scale : Latitude of true scale, in radians (output)
+ * Longitude_Down_from_Pole : Longitude down from pole, in radians (output)
+ * False_Easting : Easting (X) at center of projection, in meters (output)
+ * False_Northing : Northing (Y) at center of projection, in meters (output)
+ */
+
+
+ long Convert_Geodetic_To_Polar_Stereographic (double Latitude,
+ double Longitude,
+ double *Easting,
+ double *Northing);
+/*
+ * The function Convert_Geodetic_To_Polar_Stereographic converts geodetic
+ * coordinates (latitude and longitude) to Polar Stereographic coordinates
+ * (easting and northing), according to the current ellipsoid
+ * and Polar Stereographic projection parameters. If any errors occur, error
+ * code(s) are returned by the function, otherwise POLAR_NO_ERROR is returned.
+ *
+ * Latitude : Latitude, in radians (input)
+ * Longitude : Longitude, in radians (input)
+ * Easting : Easting (X), in meters (output)
+ * Northing : Northing (Y), in meters (output)
+ */
+
+
+
+ long Convert_Polar_Stereographic_To_Geodetic (double Easting,
+ double Northing,
+ double *Latitude,
+ double *Longitude);
+
+/*
+ * The function Convert_Polar_Stereographic_To_Geodetic converts Polar
+ * Stereographic coordinates (easting and northing) to geodetic
+ * coordinates (latitude and longitude) according to the current ellipsoid
+ * and Polar Stereographic projection Parameters. If any errors occur, the
+ * code(s) are returned by the function, otherwise POLAR_NO_ERROR
+ * is returned.
+ *
+ * Easting : Easting (X), in meters (input)
+ * Northing : Northing (Y), in meters (input)
+ * Latitude : Latitude, in radians (output)
+ * Longitude : Longitude, in radians (output)
+ *
+ */
+
+ #ifdef __cplusplus
+}
+ #endif
+
+#endif /* POLARST_H */
+
diff --git a/external/geotranz/readme.txt b/external/geotranz/readme.txt
new file mode 100644
index 00000000..fd2488a1
--- /dev/null
+++ b/external/geotranz/readme.txt
@@ -0,0 +1,41 @@
+GEOTRANS 2.4.2
+
+The GEOTRANS 2.4.2 software was developed and tested on Windows XP, Solaris 7, Red Hat Linux Professional 9, and SuSE Linux 9.3 platforms, and should function correctly on more recent versions of those operating systems.
+
+There are eight different GEOTRANS 2.4.2 distribution files - four for Windows, in zip format, and four for UNIX/Linux, in tar/gzip format:
+
+win_user.zip - Windows end-user's package
+win_dev.zip - Windows developer's package
+master.zip - master copy (everything) in zip format
+mgrs.zip - MGRS & supporting projections in zip format
+
+unix_user.tgz - UNIX/Linux end-user's package
+unix_dev.tgz - UNIX/Linux developer's package
+master.tgz - master copy (everything) in tar/gzip format
+mgrs.tgz - MGRS & supporting projections in tar/gzip
+
+The Windows packages omit the UNIX/Linux-specific directories, while the UNIX/Linux packages omit the Windows-specific directories.
+
+The end-user packages contain only executables, DLLs or shared object libraries, documentation, and supporting data.
+
+The developer packages also include source code, as well as makefiles, MS Visual C++ workspace and project files, and everything else necessary to build the libraries and executables.
+
+The master packages can be considered to be cross-platform developer packages. They both contain the union of the Windows and UNIX/Linux developer packages. Only their format is different.
+
+The MGRS packages contain only the source code for the MGRS, UTM, UPS, Transverse Mercator, and Polar Stereographic conversion modules, and are intended for developers who only want to do MGRS conversions. Their content is identical. Only their format is different.
+
+You should only need to copy one of these packages, depending on your platform and your intended usage.
+
+GEOTRANS Terms of Use:
+
+1. The GEOTRANS source code ("the software") is provided free of charge by the National Geospatial-Intelligence Agency (NGA) of the United States Department of Defense. Although NGA makes no copyright claim under Title 17 U.S.C., NGA claims copyrights in the source code under other legal regimes. NGA hereby grants to each user of the software a license to use and distribute the software, and develop derivative works.
+
+2. NGA requests that products developed using the software credit the source of the software with the following statement, "The product was developed using GEOTRANS, a product of the National Geospatial-Intelligence Agency (NGA) and U.S. Army Engineering Research and Development Center." Do not use the name GEOTRANS for any derived work.
+
+3. Warranty Disclaimer: The software was developed to meet only the internal requirements of the National Geospatial-Intelligence Agency (NGA). The software is provided "as is," and no warranty, express or implied, including but not limited to the implied warranties of merchantability and fitness for particular purpose or arising by statute or otherwise in law or from a course of dealing or usage in trade, is made by NGA as to the accuracy and functioning of the software.
+
+4. NGA and its personnel are not required to provide technical support or general assistance with respect to public use of the software. Government customers may contact NGA.
+
+5. Neither NGA nor its personnel will be liable for any claims, losses, or damages arising from or connected with the use of the software. The user agrees to hold harmless the United States National Geospatial-Intelligence Agency (NGA). The user's sole and exclusive remedy is to stop using the software.
+
+6. Please be advised that pursuant to the United States Code, 10 U.S.C. 425, the name of the National Geospatial-Intelligence Agency, the initials "NGA", the seal of the National Geospatial-Intelligence Agency, or any colorable imitation thereof shall not be used to imply approval, endorsement, or authorization of a product without prior written permission from United States Secretary of Defense. Do not create the impression that NGA, the Secretary of Defense or the Director of National Intelligence has endorsed any product derived from GEOTRANS.
diff --git a/external/geotranz/releasenotes.txt b/external/geotranz/releasenotes.txt
new file mode 100644
index 00000000..ab863a97
--- /dev/null
+++ b/external/geotranz/releasenotes.txt
@@ -0,0 +1,465 @@
+GEOTRANS Release Notes
+
+Release 2.0.2 - November 1999
+
+1. The datum parameter file 3_param.dat was changed to correct an error in the
+latitude bounds for the NAD 27 Canada datum.
+
+2. The MGRS module was changed to make the final latitude check on MGRS to UTM
+conversions sensitive to the precision of the input MGRS coordinate string. The
+lower the input precision, the more "slop" is allowed in the final check on the
+latitude zone letter. This is to handle an issue raised by some F-16 pilots,
+who truncate MGRS strings that they receive from the Army. This truncation can
+put them on the wrong side of a latitude zone boundary, causing the truncated
+MGRS string to be considered invalid. The correction causes truncated strings
+to be considered valid if any part of the square which they denote lies within
+the latitude zone specified by the third letter of the string.
+
+Release 2.0.3 - April 2000
+
+1. Problems with the GEOTRANS file processing capability, including problems
+reading coordinate system/projection parameters, and problems with some
+coordinates being skipped. Note that spaces must separate individual coordinate
+values.
+
+2. The Bonne projection module has been changed to return an error when the
+Origin Latitude parameter is set to zero. In the next release, the Sinusoidal
+projection will be used in this situation.
+
+3. Reported errors in certain cases of conversions between geodetic and MGRS
+have been corrected. The error actually occurred in the formatting of the
+geodetic output.
+
+4. The Equidistant Cylindrical projection parameter that was previously called
+Origin Latitude has been renamed to Standard Parallel, which more correctly
+reflects its role in the projection. The Origin Latitude for the Equidistant
+Cylindrical projection is always zero (i.e., the Equator). Error messages and
+documentation were updated accordingly. Note that the renaming of this
+parameter is the only change to the external interface of the GEOTRANS Engine in
+this release.
+
+5. An error in the method selection logic for datum transformations, in the
+Datum module, has been corrected. This error caused the Molodensky method to be
+used when transforming between the two 7-parameter datums (EUR-7 and OGB-7) and
+WGS 84.
+
+6. The datum parameter file 3_param.dat was changed to correct the names of
+several South American (S-42) datums.
+
+7. A leftover debug printf statement in the Geoid module was removed.
+
+8. Several multiple declaration errors that prevented the Motif GUI source code
+from being compiled successfully using the Gnu g++ compiler were corrected.
+Additional comments were added to the make file for the GEOTRANS application to
+facilitate switching between Sun and Gnu compilers.
+
+9. Comments were also added to the make file for the GEOTRANS application
+concerning locating the libXpm shared object library. This library, which
+supports the use of X Window pixmaps, was moved to /usr/local/opt/xpm/lib under
+Solaris 2.6.
+
+10. Documentation for the Local Cartesian module was corrected so that this
+coordinate system is no longer referred to as a projection.
+
+11. The usage example in the GEOTRANS Engine Reuse Manual was corrected so that
+it now compiles successfully.
+
+Release 2.1 - June 2000
+
+1. The geoid separation file has been converted from text to binary form and
+renamed to egm96.grd to better reflect its implementation of the Earth Gravity
+Model 1996. The new binary file is less than half the size of the text file
+(~4MB vs ~10MB), and is loaded much more quickly when GEOTRANS is started.
+
+2. Inverse flattening is now used as a primary ellipsoid parameter, along with
+the semi-major axis, instead of the semi-minor axis. Previously, the inverse
+flattening was computed from the semi-major and semi-minor axes. This is a more
+correct approach and improves overall accuracy slightly.
+
+3. User-defined datums and ellipsoids can now be deleted. A user-defined
+ellipsoid can only be deleted if it is not used by any user-defined datum.
+
+4. Additional datum and ellipsoid parameter functions have been added to the
+external interface of the GEOTRANS Engine, for use by applications.
+
+5. For Windows, a GEOTRANS dynamically linked library (DLL) is now provided
+which includes the GEOTRANS Engine and all of the DT&CC modules. A version of
+the GEOTRANS application, geotrans2d.exe, which uses the DLL is also provided.
+Similarly, for UNIX, a GEOTRANS shared object (.so) library is provided, along
+with a version of the GEOTRANS application, geotrans2d, which uses the shared
+object library.
+
+6. The Bonne projection now defaults to the Sinusoidal projection when the origin
+latitude is zero.
+
+7. A "No Height" option has been added for Geodetic coordinates, as an alternative
+to "Ellipsoid Height" and "Geoid/MSL Height". When "No Height" is selected on
+input, the contents of the Height field is ignored. When "No Height" is selected
+on output, no Height value is output.
+
+8. Three new projections have been added: Azimuthal Equidistant, (Oblique) Gnomonic,
+and Oblique Mercator. The only difference between Gnomonic and Oblique Gnomonic
+is the value of the original latitude parameter.
+
+9. The Windows and Motif GUIs have been updated to make the screen layouts more
+consistent. Bidirectional conversion between the upper and lower panels is now
+supported, using two Convert buttons (Upper-to-Lower and Lower-to-Upper). Error
+values are shown separately for each panel.
+
+10. A bug in the MGRS module that occasionally caused 100km errors was corrected.
+Easting and northing values greater than 99999.5 (i.e., less then 1/2m from the
+eastern or northern boundary of a 100km square) were being set to zero, but not
+moved into the adjacent 100km square. These values are now rounded to 99999.
+
+11. Documentation and on-line help has been updated to reflect all of the above
+enhancements.
+
+Release 2.2 - September 2000
+
+1. The datum code for WGS 72 has been corrected from "WGD" to "WGC".
+
+2. The default initial output coordinate system type has been changed from
+Mercator to UTM.
+
+3. A bug in the Windows GUI that prevented degrees/minutes and decimal degrees
+formats from being selected has been corrected.
+
+4. In the Windows GUI, the initial default value for inverse flattening and the
+associated label in the Create Ellipsoid dialog box have been corrected.
+
+5. A bug in the Windows GUI that allowed multiple Geodetic Height type radio
+buttons to be selected in the File Processing dialog box has been corrected.
+
+6. Diagrams showing MGRS grid zone, band, and 100,000m square layouts have been
+added to the Users' Guide and the on-line help.
+
+7. An error in the implementation of Oblique Mercator has been corrected.
+
+8. Four new projections have been added: Ney's (Modified Lambert Conformal Conic),
+Stereographic, British National Grid, and New Zealand Map Grid.
+
+9. A prototype Java GUI has been added which runs on both Windows and UNIX
+platforms. It requires a Java run-time environment. To run it on a Windows
+platform, go to the /geotrans2/win95 directory and double click on the file
+geo_22.jar. To run it on a Solaris platform, cd to the /geotrans2/unix directory
+and enter the command: make -f javamake. It may be necessary to edit the
+javamake file to point to the location of the Java run-time environment on your
+system.
+
+Release 2.2.1 - June 2001
+
+1. Fixed problem(s) in Local Cartesian conversions.
+
+2. Corrected a rounding problem in MGRS coordinates when the output precision was
+set coarser than 1m (10m, 100m, etc.), and the point being converted rounded to
+the eastern or northern edge of a 100,000m square. An illegal MGRS string could
+be produced, with an odd number of digits including a "1" followed by one or more
+zeros. This was corrected by rounding the UTM easting or northing BEFORE
+determining the correct 100,000m square.
+
+3. Corrected a very old error in the determination of the 100,000m square from a
+UPS easting in the easternmost part of the south polar zone.
+
+4. Added more flexible support for delimiters in input files (commas, tabs, spaces)
+
+5. Corrected a problem in reporting invalid northing errors in UTM.
+
+6. Correct an example in the Polar Stereo reuse manual with Latitude of True Scale
+erroneously set to 0.0.
+
+7. Removed an invalid Central Meridian line from the header of the Mollweide
+example input file.
+
+8. Added a special F-16 Grid Reference System, a special version of MGRS.
+
+9. Allowed 90% CE, 90% LE, and 90% SE accuracy values for input coordinates to be
+specified. These are used, along with datum transformation accuracy information,
+in deriving the output coordinate accuracy values.
+
+10. Added a pull-down menu of coordinate sources, including GPS, maps, and digital
+geospatial data which can be selected to automatically set input accuracy values.
+
+11. Improved the Java GUI to be fully functional, including support for file
+processsing and improvements in its appearance.
+
+Release 2.2.2 - February 2002
+
+1. Added two new datums from Amendment 1 to NIMA TR8350.2 (Jan 2001) to 3_param.dat file:
+ - Korean Geodetic Datum 1995 (KGS)
+ - SIRGAS, South America (SIR)
+ Corrected ellipsoid code errors in 3_param.dat file:
+ - Ellipsoid used with TIL datum changed from EA to EB,
+ - Ellipsoid used with IND-P datum changed from EA to EF.
+
+2. Corrected an "off-by-one" error in the datum index validity check function in
+the GEOTRANS engine, which prevented the last datum in the pull-down list from being
+used. The Java GUI reported this error, but the Windows and Motif GUIs did not.
+
+3. Processing of input coordinate files was made more flexible and forgiving:
+ - Case sensitivity of keywords and name strings was eliminated.
+ - Height values with geodetic coordinates were made optional, defaulting
+ to zero.
+ - Coordinate reference system names were made consistent with the GUI
+ pull-down menus.
+ - File processing error messages were improved.
+
+4. A warnings count was added to the file processing GUI.
+
+
+5. Geodetic height fields are grayed out and the No Height selection is forced
+whenever 3D conversion is not feasible. For 3D conversion to be feasible, Geodetic,
+Geocentric, or Local Cartesian must be selected on both panels. For file processing,
+the output Geodetic height field is grayed out and the No Height selection is forced
+whenever the input coordinate reference system is not a 3D system.
+
+6. File header generation, using a modified version of the File Processing GUI, was
+added. (Java GUI Only)
+
+7. Some results of the review of GEOTRANS by NIMA G&G were implemented:
+ - In the User’s Guide (and on-line help), the description of the use of 3-step
+ method, rather than Molodenski, in polar regions was reworded.
+ - In the User's Guide (and on-line help), the description of how to specify
+ Lambert Conformal Conic projection with one standard parallel was clarified.
+ - UTM zone fields were enabled independent of the state of the Override buttons,
+ with default values of zero, and the valid range of zone numbers (1-60) was
+ added to the zone field labels.
+ - In the Sources pull-down menus, the values for GPS PPS and GPS SPS were corrected
+ to be the same, reflecting the shutting off of GPS selective availability (SA).
+ - The words “Warning:” or “Error:”, as appropriate, were explicitly included in
+ all messages output by the GUIs.
+
+Release 2.2.3 - February 2003
+
+There were no changes made to the external interfaces of the GEOTRANS libraries.
+
+1. The ellipsoid (ellipse.dat) and datum (3_param.dat) files were updated to correct
+several typos. Dates were added to all ellipsoid names.
+
+2. A problem in the MGRS module (mgrs.c) was corrected. This problem occurred only
+when converting from geodetic to MGRS coordinates that round to the centerline of zone
+31V. This zone is “cut in half”, such that its centerline is also its eastern boundary.
+Points that are rounded up (eastward) to this boundary are considered to lie in zone 32V.
+
+3. An error in the Local Cartesian module (loccart.c) was corrected to properly take
+into account the longitude of the local Cartesian coordinate system origin in converting
+between geocentric and local Cartesian coordinates.
+
+4. A possible problem in the Transverse Mercator module (tranmerc.c) concerning
+projections at the poles was investigated. Points at the poles are projected when the
+Transverse Mercator module is initialized in order to determine the range of valid inputs
+for the inverse projection. The tangent of the latitude is calculated, which should be
+infinite at the poles. Investigation determined that the tangent functions for both
+Windows and Solaris actually return very large values in this case, which result in the
+expected behavior. However, to avoid this problem on other platforms, the maximum valid
+latitude for the Transverse Mercator projection was reduced from 90 to 89.99 degrees.
+
+5. A reported incompatibility between GEOTRANS 2.2.2 and version 4 of the Boeing
+Autometric EDGE Viewer on Windows platforms was investigated. This version of the EDGE
+Viewer includes the GEOTRANS 2.0.3 libraries. When the EDGE Viewer is installed, it
+sets the GEOTRANS environment variables to reference the directory C:/Program Files/Autometric/EDGEViewer/Data/GeoTrans. This overrides the default setting in the
+GEOTRANS application, causing it to look for its required data files in the EDGE Viewer
+directory. The incompatibility arises from the fact that the Earth Gravity Model 1996
+geoid separation file was renamed and changed from text to binary form in GEOTRANS 2.1,
+which reduced its size from 10MB to 4MB. When the newer binary file is not found in
+the EDGE data directory, the GEOTRANS application fails to initialize successfully.
+Placing a copy of the binary geoid separation file (egm96.grd) into the EDGE Viewer
+data directory eliminates the problem. A recent update to the EDGE Viewer eliminates
+the problem by using a more recent version of the GEOTRANS libraries. Therefore no
+changes to the GEOTRANS software were necessary.
+
+6. The source data accuracy values for GPS PPS and SPS modes were updated from 10m
+to 20m.
+
+7. The Linear (i.e., vertical) Error (LE) and Spherical Error (SE) fields are now
+grayed out whenever a conversion is not three-dimensional.
+
+Release 2.2.4 - August 2003
+
+There were no changes made to the external interfaces of the GEOTRANS libraries.
+
+1. Minor changes were made to source code to eliminate all compilation warnings.
+These changes involved the Ellisoid module, the GEOTRANS engine, GEOTRANS application
+Windows GUI, and GEOTRANS application support source code file.
+
+2. A bug in the MGRS module was corrected. This bug caused MGRS coordinates located
+in small triangular areas north of 64S latitude, and south of the 2,900,000 northing
+line, to fail to convert correctly to UTM.
+
+3. The MGRS module was corrected so that the MGRS "AL" 100,000m square pattern is used
+with the Bessel 1841 Namibia (BN) ellipsoid. On-line help was corrected to be consistent
+with this change.
+
+4. The MGRS module was updated to eliminate inconsistencies in the conversion of points
+located on UTM zone and MGRS latitude band boundaries.
+
+5. The MGRS module was reorganized internally to improve the clarity and efficiency of
+the source code. The external interface of the MGRS module was not changed.
+
+Release 2.2.4 - August 2003
+
+There were no changes made to the external interfaces of the GEOTRANS libraries.
+
+1. Minor changes were made to source code to eliminate all compilation warnings.
+These changes involved the Ellisoid module, the GEOTRANS engine, GEOTRANS application
+Windows GUI, and GEOTRANS application support source code file.
+
+2. A bug in the MGRS module was corrected. This bug caused MGRS coordinates located
+in small triangular areas north of 64S latitude, and south of the 2,900,000 northing
+line, to fail to convert correctly to UTM.
+
+3. The MGRS module was corrected so that the MGRS "AL" 100,000m square pattern is used
+with the Bessel 1841 Namibia (BN) ellipsoid. On-line help was corrected to be consistent
+with this change.
+
+4. The MGRS module was updated to eliminate inconsistencies in the conversion of points
+located on UTM zone and MGRS latitude band boundaries.
+
+5. The MGRS module was reorganized internally to improve the clarity and efficiency of
+the source code. The external interface of the MGRS module was not changed.
+Release 2.2.4 - August 2003
+
+There were no changes made to the external interfaces of the GEOTRANS libraries.
+
+1. Minor changes were made to source code to eliminate all compilation warnings.
+These changes involved the Ellisoid module, the GEOTRANS engine, GEOTRANS application
+Windows GUI, and GEOTRANS application support source code file.
+
+2. A bug in the MGRS module was corrected. This bug caused MGRS coordinates located
+in small triangular areas north of 64S latitude, and south of the 2,900,000 northing
+line, to fail to convert correctly to UTM.
+
+3. The MGRS module was corrected so that the MGRS "AL" 100,000m square pattern is used
+with the Bessel 1841 Namibia (BN) ellipsoid. On-line help was corrected to be consistent
+with this change.
+
+4. The MGRS module was updated to eliminate inconsistencies in the conversion of points
+located on UTM zone and MGRS latitude band boundaries.
+
+5. The MGRS module was reorganized internally to improve the clarity and efficiency of
+the source code. The external interface of the MGRS module was not changed.
+
+Release 2.2.5 - June 2004
+
+There were no changes made to the external interfaces of the GEOTRANS libraries.
+
+1. A minor correction was made in the Datum module, to correct an "off-by-one" error in the Valid_Datum function, which caused it to return a warning when the last 3-parameter datum was accessed.
+
+2. A minor correction was made in the Round_DMS function, in the common application GUI support software, which caused incorrect geodetic coordinate values to be displayed when converting to degrees with a precision of .0001.
+
+3 The 3-parameter datum file, 3_param.dat, was updated to reflect new parameter values for the MID (MIDWAY ASTRO 1961, Midway Is.) datum, which went into effect in June 2003. The longitude limits for the NAS-U (North American 1927, Greenland), the DAL (Dabola, Guinea) and the TRN (Astro Tern Island (Frig) 1961 datums were also corrected.
+
+Release 2.2.6 - June 2005
+
+1. A minor correction was made in the Get_Geoid_Height function in the GEOID module, which does bilinear interpolation of EGM96 geoid separation values. The error caused the specified point to be shifted in longitude, mirrored around the east-west midline of the 15-minute grid cell that contains it.
+
+2. The 3-parameter datum file, 3_param.dat, was updated to correct the latitude and longitude limits for the DID (Deception Island), EUR-S (European 1950, Israel and Iraq), and KEG (Kerguelen Island) datums.
+
+3. A minor correction was made in the Convert_Orthographic_to_Geodetic function in the ORTHOGR module to use the two-argument arctangent function (atan2) rather than the single-argument arctangent function (atan). This avoids sign errors in results near the poles.
+
+4. A minor correction was made in the Convert_Albers_to_Geodetic function in the ALBERS module to avoid infinite loops when the iterative solution for latitude fails to converge. After 30 iterations, the function now returns an error status.
+
+5. Support was added for the Lambert Conformal Conic projection with one standard parallel. A new LAMBERT_1 module was added, and the LAMBERT_2 module was renamed (from LAMBERT) and reengineered to use the new LAMBERT_1 module. Backward compatibility was maintained at the DT&CC and GEOTRANS Engine levels. However, all existing functions that include "Lambert", rather than "Lambert1" or "Lambert2", in their names are now considered to be deprecated, and will be removed in a future update.
+
+6. The GEOTRANS application GUI was enhanced to help users avoid incompatible combinations of coordinate systems and datums by color coding the conversion buttons. Red indicates that the selected coordinate systems and datums are not compatible with one another, and that an error message will result from any attempted conversion operation. Yellow indicates that the selected datums have disjoint areas of validity, adn that a warning message will result from any attempted conversion operation.
+
+7. A correction was made to the Geodetic_Shift_WGS72_To_WGS84 and Geodetic_Shift_WGS72_To_WGS84 functions in the DATUM module to wrap longitude values across the 180 degree line and wrap latitude values over the poles.
+
+8. File processing examples in the online help, and in the /examples subdirectory, were improved to use more realistic coordinates, and additional examples were added.
+
+9. The GEOTRANS application GUI was enhanced to provide an option to display leading zeroes on output geodetic coordinate values, including degrees (three digits for longitude, two digits for latitude), minutes (two digits), and seconds (two digits).
+
+Release 2.3 - March 2006
+
+1. The 3-parameter datum file, 3_param.dat, was updated to correct the latitude and longitude limits for DID (Deception Island), switching longitude order, and JOH (Johnston Island) datums.
+
+2. An “off-by-one” error in datum indexing in the JNI interface was corrected.
+
+3. Support for Red Hat Linux (Red Hat Professional 9.3 and later) and for SuSE Linux (SuSE Linux 9 and later) was added.
+
+4. A reported potential error in file name string underflow/overflow in the Ellipsoid, Datum, and Geoid modules was corrected.
+
+5. Support for multithreading was improved by adding mutual exclusion zones around code that opens and reads data files in the Ellipsoid, Datum, and Geoid modules.
+
+6. Support for three additional gravity-related height models was added, based on requirements from the US military services:
+a. EGM96 with variable grid spacing and natural spline interpolation
+b. EGM84 with 10 degree by 10 degree grid spacing and bilinear interpolation
+c. EGM84 with 10 degree by 10 degree grid spacing and natural spline interpolation
+These are in addition to EGM96 with 15-minute grid spacing and bilinear interpolation, which was previously supported.
+
+Release 2.4 - September 2006
+
+1. The 3-parameter datum file, 3_param.dat, was updated to correct two spelling errors (Columbia -> Colombia, Phillipines -> Philippines).
+
+2. The 3-parameter datum file, 3_param.dat, was updated to adjust the limits for several local datums in the 3-parameter datum file (ADI-E, CAC, CAI, COA, HJO, ING-A, KEG, LCF, NDS, SAE, SAN-A, SAN-C, VOI, and VOR).
+
+3. All required ellipsoid, datum, and geoid data files to a /data subdirectory to eliminate the need for duplicate copies.
+
+4. Error reporting was improved when required ellipsoid, datum, and/or geoid data files cannot be located at initialization.
+
+5. In the Geoid module, problems were corrected in the interpolation of geoid separation values using a variable-resolution grid when converting to or from MSL-EGM96-VG-NS Height.
+
+6. In the MGRS module, a problem was corrected in rounding up to the equator when converting to MGRS.
+
+7. Support was added for the U.S. National Grid (USNG).
+
+8. Support was added for the Global Area Reference System (USNG).
+
+Release 2.4.1 - March 2007
+
+1. Corrected two minor errors (6cm and 1cm) in the values contained in the EGM84 geoid
+separation file.
+
+2. Improved error handling and reporting in the Transverse Mercator, UTM, and MGRS
+modules at extreme northern and southern latitudes, for points that are more than 9
+degrees, but less than 400km, from the central meridian.
+
+3. Modified the US National Grid (USNG) module to truncate, rather than round, USNG
+coordinates as required by the USNG specification.
+
+4. Corrected an error in the calculation of valid ranges for input easting and northing
+coordinates in the Mercator module, and several other map projection modules. This
+caused valid inputs to be rejected when extremely large (e.g., 20,000,000m) false easting
+or false northing values were specified for those map projections.
+
+5. Improved error handling and reporting in the Lambert Conformal Conic modules in cases
+of extremely small scale factor values.
+
+6. Corrected an error in the MGRS module that occurred when a point rounded up to the
+eastern boundary of the non-standard zone 31V in the northern Atlantic, which is
+considered to be part of zone 32V.
+
+Release 2.4.2 - August 2008
+
+1. Corrected an error in the MGRS and USNG modules that incorrectly mapped 100,000m square
+row letters to northing values in the northern portion of the X latitude band (northings > 9,000,000m).
+
+2. Revised the handling of warnings reported by the Transverse Mercator (TM) module for points
+located more than 9 degrees from the central meridian, when the TM module is invoked by the UTM and
+MGRS modules, so that UTM or MGRS error checking takes precedence.
+
+3. Added datum domain checks for those cases where no datum transformations are performed.
+Previously, coordinates were not checked against the valid domain of the datum when the input datum
+and output datum were identical.
+
+4. The default accuracy estimate values for DTED Level 1 and DTED Level 2 were updated to be consistent
+with MIL-PRF-89020B, Performance Specification, Digital Terrain Elevation Data (DTED), 23 May 2000, replacing
+the values from MIL-PRF-89020A, 19 Apr 1996. Default spherical accuracy estimate values for all relevant data
+sources were updated to reflect a more accurate relationship to the corresponding circular (horizontal)
+accuracy estimates.
+
+5. In the GEOTRANS application, added commands to save the current selections and options settings as
+the defaults, and to reset the current selections and options settings from the defaults.
+
+6. In the GEOTRANS application, added capabilities to create and delete user-defined 7-parameter datums.
+
+7. Corrected a problem with the checking of input coordinates against the valid region for a local datum
+when a longitude value greater than +180 degrees was entered.
+
+8. Corrected the valid regions for the PUK and NAR-E datums to use a range of longitudes that span the
++180/-180 degree line.
+
+
+
+
+
+
diff --git a/external/geotranz/tranmerc.c b/external/geotranz/tranmerc.c
new file mode 100644
index 00000000..893db7e3
--- /dev/null
+++ b/external/geotranz/tranmerc.c
@@ -0,0 +1,618 @@
+/***************************************************************************/
+/* RSC IDENTIFIER: TRANSVERSE MERCATOR
+ *
+ * ABSTRACT
+ *
+ * This component provides conversions between Geodetic coordinates
+ * (latitude and longitude) and Transverse Mercator projection coordinates
+ * (easting and northing).
+ *
+ * ERROR HANDLING
+ *
+ * This component checks parameters for valid values. If an invalid value
+ * is found the error code is combined with the current error code using
+ * the bitwise or. This combining allows multiple error codes to be
+ * returned. The possible error codes are:
+ *
+ * TRANMERC_NO_ERROR : No errors occurred in function
+ * TRANMERC_LAT_ERROR : Latitude outside of valid range
+ * (-90 to 90 degrees)
+ * TRANMERC_LON_ERROR : Longitude outside of valid range
+ * (-180 to 360 degrees, and within
+ * +/-90 of Central Meridian)
+ * TRANMERC_EASTING_ERROR : Easting outside of valid range
+ * (depending on ellipsoid and
+ * projection parameters)
+ * TRANMERC_NORTHING_ERROR : Northing outside of valid range
+ * (depending on ellipsoid and
+ * projection parameters)
+ * TRANMERC_ORIGIN_LAT_ERROR : Origin latitude outside of valid range
+ * (-90 to 90 degrees)
+ * TRANMERC_CENT_MER_ERROR : Central meridian outside of valid range
+ * (-180 to 360 degrees)
+ * TRANMERC_A_ERROR : Semi-major axis less than or equal to zero
+ * TRANMERC_INV_F_ERROR : Inverse flattening outside of valid range
+ * (250 to 350)
+ * TRANMERC_SCALE_FACTOR_ERROR : Scale factor outside of valid
+ * range (0.3 to 3.0)
+ * TM_LON_WARNING : Distortion will result if longitude is more
+ * than 9 degrees from the Central Meridian
+ *
+ * REUSE NOTES
+ *
+ * TRANSVERSE MERCATOR is intended for reuse by any application that
+ * performs a Transverse Mercator projection or its inverse.
+ *
+ * REFERENCES
+ *
+ * Further information on TRANSVERSE MERCATOR can be found in the
+ * Reuse Manual.
+ *
+ * TRANSVERSE MERCATOR originated from :
+ * U.S. Army Topographic Engineering Center
+ * Geospatial Information Division
+ * 7701 Telegraph Road
+ * Alexandria, VA 22310-3864
+ *
+ * LICENSES
+ *
+ * None apply to this component.
+ *
+ * RESTRICTIONS
+ *
+ * TRANSVERSE MERCATOR has no restrictions.
+ *
+ * ENVIRONMENT
+ *
+ * TRANSVERSE MERCATOR was tested and certified in the following
+ * environments:
+ *
+ * 1. Solaris 2.5 with GCC, version 2.8.1
+ * 2. Windows 95 with MS Visual C++, version 6
+ *
+ * MODIFICATIONS
+ *
+ * Date Description
+ * ---- -----------
+ * 10-02-97 Original Code
+ * 03-02-97 Re-engineered Code
+ *
+ */
+
+
+/***************************************************************************/
+/*
+ * INCLUDES
+ */
+
+#include
+#include "tranmerc.h"
+
+/*
+ * math.h - Standard C math library
+ * tranmerc.h - Is for prototype error checking
+ */
+
+
+/***************************************************************************/
+/* DEFINES
+ *
+ */
+
+#define PI 3.14159265358979323e0 /* PI */
+#define PI_OVER_2 (PI/2.0e0) /* PI over 2 */
+#define MAX_LAT ((PI * 89.99)/180.0) /* 89.99 degrees in radians */
+#define MAX_DELTA_LONG ((PI * 90)/180.0) /* 90 degrees in radians */
+#define MIN_SCALE_FACTOR 0.3
+#define MAX_SCALE_FACTOR 3.0
+
+#define SPHTMD(Latitude) ((double) (TranMerc_ap * Latitude \
+ - TranMerc_bp * sin(2.e0 * Latitude) + TranMerc_cp * sin(4.e0 * Latitude) \
+ - TranMerc_dp * sin(6.e0 * Latitude) + TranMerc_ep * sin(8.e0 * Latitude) ) )
+
+#define SPHSN(Latitude) ((double) (TranMerc_a / sqrt( 1.e0 - TranMerc_es * \
+ pow(sin(Latitude), 2))))
+
+#define SPHSR(Latitude) ((double) (TranMerc_a * (1.e0 - TranMerc_es) / \
+ pow(DENOM(Latitude), 3)))
+
+#define DENOM(Latitude) ((double) (sqrt(1.e0 - TranMerc_es * pow(sin(Latitude),2))))
+
+
+/**************************************************************************/
+/* GLOBAL DECLARATIONS
+ *
+ */
+
+/* Ellipsoid Parameters, default to WGS 84 */
+static double TranMerc_a = 6378137.0; /* Semi-major axis of ellipsoid in meters */
+static double TranMerc_f = 1 / 298.257223563; /* Flattening of ellipsoid */
+static double TranMerc_es = 0.0066943799901413800; /* Eccentricity (0.08181919084262188000) squared */
+static double TranMerc_ebs = 0.0067394967565869; /* Second Eccentricity squared */
+
+/* Transverse_Mercator projection Parameters */
+static double TranMerc_Origin_Lat = 0.0; /* Latitude of origin in radians */
+static double TranMerc_Origin_Long = 0.0; /* Longitude of origin in radians */
+static double TranMerc_False_Northing = 0.0; /* False northing in meters */
+static double TranMerc_False_Easting = 0.0; /* False easting in meters */
+static double TranMerc_Scale_Factor = 1.0; /* Scale factor */
+
+/* Isometeric to geodetic latitude parameters, default to WGS 84 */
+static double TranMerc_ap = 6367449.1458008;
+static double TranMerc_bp = 16038.508696861;
+static double TranMerc_cp = 16.832613334334;
+static double TranMerc_dp = 0.021984404273757;
+static double TranMerc_ep = 3.1148371319283e-005;
+
+/* Maximum variance for easting and northing values for WGS 84. */
+static double TranMerc_Delta_Easting = 40000000.0;
+static double TranMerc_Delta_Northing = 40000000.0;
+
+/* These state variables are for optimization purposes. The only function
+ * that should modify them is Set_Tranverse_Mercator_Parameters. */
+
+
+/************************************************************************/
+/* FUNCTIONS
+ *
+ */
+
+
+long Set_Transverse_Mercator_Parameters(double a,
+ double f,
+ double Origin_Latitude,
+ double Central_Meridian,
+ double False_Easting,
+ double False_Northing,
+ double Scale_Factor)
+
+{ /* BEGIN Set_Tranverse_Mercator_Parameters */
+ /*
+ * The function Set_Tranverse_Mercator_Parameters receives the ellipsoid
+ * parameters and Tranverse Mercator projection parameters as inputs, and
+ * sets the corresponding state variables. If any errors occur, the error
+ * code(s) are returned by the function, otherwise TRANMERC_NO_ERROR is
+ * returned.
+ *
+ * a : Semi-major axis of ellipsoid, in meters (input)
+ * f : Flattening of ellipsoid (input)
+ * Origin_Latitude : Latitude in radians at the origin of the (input)
+ * projection
+ * Central_Meridian : Longitude in radians at the center of the (input)
+ * projection
+ * False_Easting : Easting/X at the center of the projection (input)
+ * False_Northing : Northing/Y at the center of the projection (input)
+ * Scale_Factor : Projection scale factor (input)
+ */
+
+ double tn; /* True Meridianal distance constant */
+ double tn2;
+ double tn3;
+ double tn4;
+ double tn5;
+ double dummy_northing;
+ double TranMerc_b; /* Semi-minor axis of ellipsoid, in meters */
+ double inv_f = 1 / f;
+ long Error_Code = TRANMERC_NO_ERROR;
+
+ if (a <= 0.0)
+ { /* Semi-major axis must be greater than zero */
+ Error_Code |= TRANMERC_A_ERROR;
+ }
+ if ((inv_f < 250) || (inv_f > 350))
+ { /* Inverse flattening must be between 250 and 350 */
+ Error_Code |= TRANMERC_INV_F_ERROR;
+ }
+ if ((Origin_Latitude < -PI_OVER_2) || (Origin_Latitude > PI_OVER_2))
+ { /* origin latitude out of range */
+ Error_Code |= TRANMERC_ORIGIN_LAT_ERROR;
+ }
+ if ((Central_Meridian < -PI) || (Central_Meridian > (2*PI)))
+ { /* origin longitude out of range */
+ Error_Code |= TRANMERC_CENT_MER_ERROR;
+ }
+ if ((Scale_Factor < MIN_SCALE_FACTOR) || (Scale_Factor > MAX_SCALE_FACTOR))
+ {
+ Error_Code |= TRANMERC_SCALE_FACTOR_ERROR;
+ }
+ if (!Error_Code)
+ { /* no errors */
+ TranMerc_a = a;
+ TranMerc_f = f;
+ TranMerc_Origin_Lat = Origin_Latitude;
+ if (Central_Meridian > PI)
+ Central_Meridian -= (2*PI);
+ TranMerc_Origin_Long = Central_Meridian;
+ TranMerc_False_Northing = False_Northing;
+ TranMerc_False_Easting = False_Easting;
+ TranMerc_Scale_Factor = Scale_Factor;
+
+ /* Eccentricity Squared */
+ TranMerc_es = 2 * TranMerc_f - TranMerc_f * TranMerc_f;
+ /* Second Eccentricity Squared */
+ TranMerc_ebs = (1 / (1 - TranMerc_es)) - 1;
+
+ TranMerc_b = TranMerc_a * (1 - TranMerc_f);
+ /*True meridianal constants */
+ tn = (TranMerc_a - TranMerc_b) / (TranMerc_a + TranMerc_b);
+ tn2 = tn * tn;
+ tn3 = tn2 * tn;
+ tn4 = tn3 * tn;
+ tn5 = tn4 * tn;
+
+ TranMerc_ap = TranMerc_a * (1.e0 - tn + 5.e0 * (tn2 - tn3)/4.e0
+ + 81.e0 * (tn4 - tn5)/64.e0 );
+ TranMerc_bp = 3.e0 * TranMerc_a * (tn - tn2 + 7.e0 * (tn3 - tn4)
+ /8.e0 + 55.e0 * tn5/64.e0 )/2.e0;
+ TranMerc_cp = 15.e0 * TranMerc_a * (tn2 - tn3 + 3.e0 * (tn4 - tn5 )/4.e0) /16.0;
+ TranMerc_dp = 35.e0 * TranMerc_a * (tn3 - tn4 + 11.e0 * tn5 / 16.e0) / 48.e0;
+ TranMerc_ep = 315.e0 * TranMerc_a * (tn4 - tn5) / 512.e0;
+ Convert_Geodetic_To_Transverse_Mercator(MAX_LAT,
+ MAX_DELTA_LONG + Central_Meridian,
+ &TranMerc_Delta_Easting,
+ &TranMerc_Delta_Northing);
+ Convert_Geodetic_To_Transverse_Mercator(0,
+ MAX_DELTA_LONG + Central_Meridian,
+ &TranMerc_Delta_Easting,
+ &dummy_northing);
+ TranMerc_Delta_Northing++;
+ TranMerc_Delta_Easting++;
+
+ } /* END OF if(!Error_Code) */
+ return (Error_Code);
+} /* END of Set_Transverse_Mercator_Parameters */
+
+
+void Get_Transverse_Mercator_Parameters(double *a,
+ double *f,
+ double *Origin_Latitude,
+ double *Central_Meridian,
+ double *False_Easting,
+ double *False_Northing,
+ double *Scale_Factor)
+
+{ /* BEGIN Get_Tranverse_Mercator_Parameters */
+ /*
+ * The function Get_Transverse_Mercator_Parameters returns the current
+ * ellipsoid and Transverse Mercator projection parameters.
+ *
+ * a : Semi-major axis of ellipsoid, in meters (output)
+ * f : Flattening of ellipsoid (output)
+ * Origin_Latitude : Latitude in radians at the origin of the (output)
+ * projection
+ * Central_Meridian : Longitude in radians at the center of the (output)
+ * projection
+ * False_Easting : Easting/X at the center of the projection (output)
+ * False_Northing : Northing/Y at the center of the projection (output)
+ * Scale_Factor : Projection scale factor (output)
+ */
+
+ *a = TranMerc_a;
+ *f = TranMerc_f;
+ *Origin_Latitude = TranMerc_Origin_Lat;
+ *Central_Meridian = TranMerc_Origin_Long;
+ *False_Easting = TranMerc_False_Easting;
+ *False_Northing = TranMerc_False_Northing;
+ *Scale_Factor = TranMerc_Scale_Factor;
+ return;
+} /* END OF Get_Tranverse_Mercator_Parameters */
+
+
+
+long Convert_Geodetic_To_Transverse_Mercator (double Latitude,
+ double Longitude,
+ double *Easting,
+ double *Northing)
+
+{ /* BEGIN Convert_Geodetic_To_Transverse_Mercator */
+
+ /*
+ * The function Convert_Geodetic_To_Transverse_Mercator converts geodetic
+ * (latitude and longitude) coordinates to Transverse Mercator projection
+ * (easting and northing) coordinates, according to the current ellipsoid
+ * and Transverse Mercator projection coordinates. If any errors occur, the
+ * error code(s) are returned by the function, otherwise TRANMERC_NO_ERROR is
+ * returned.
+ *
+ * Latitude : Latitude in radians (input)
+ * Longitude : Longitude in radians (input)
+ * Easting : Easting/X in meters (output)
+ * Northing : Northing/Y in meters (output)
+ */
+
+ double c; /* Cosine of latitude */
+ double c2;
+ double c3;
+ double c5;
+ double c7;
+ double dlam; /* Delta longitude - Difference in Longitude */
+ double eta; /* constant - TranMerc_ebs *c *c */
+ double eta2;
+ double eta3;
+ double eta4;
+ double s; /* Sine of latitude */
+ double sn; /* Radius of curvature in the prime vertical */
+ double t; /* Tangent of latitude */
+ double tan2;
+ double tan3;
+ double tan4;
+ double tan5;
+ double tan6;
+ double t1; /* Term in coordinate conversion formula - GP to Y */
+ double t2; /* Term in coordinate conversion formula - GP to Y */
+ double t3; /* Term in coordinate conversion formula - GP to Y */
+ double t4; /* Term in coordinate conversion formula - GP to Y */
+ double t5; /* Term in coordinate conversion formula - GP to Y */
+ double t6; /* Term in coordinate conversion formula - GP to Y */
+ double t7; /* Term in coordinate conversion formula - GP to Y */
+ double t8; /* Term in coordinate conversion formula - GP to Y */
+ double t9; /* Term in coordinate conversion formula - GP to Y */
+ double tmd; /* True Meridional distance */
+ double tmdo; /* True Meridional distance for latitude of origin */
+ long Error_Code = TRANMERC_NO_ERROR;
+ double temp_Origin;
+ double temp_Long;
+
+ if ((Latitude < -MAX_LAT) || (Latitude > MAX_LAT))
+ { /* Latitude out of range */
+ Error_Code|= TRANMERC_LAT_ERROR;
+ }
+ if (Longitude > PI)
+ Longitude -= (2 * PI);
+ if ((Longitude < (TranMerc_Origin_Long - MAX_DELTA_LONG))
+ || (Longitude > (TranMerc_Origin_Long + MAX_DELTA_LONG)))
+ {
+ if (Longitude < 0)
+ temp_Long = Longitude + 2 * PI;
+ else
+ temp_Long = Longitude;
+ if (TranMerc_Origin_Long < 0)
+ temp_Origin = TranMerc_Origin_Long + 2 * PI;
+ else
+ temp_Origin = TranMerc_Origin_Long;
+ if ((temp_Long < (temp_Origin - MAX_DELTA_LONG))
+ || (temp_Long > (temp_Origin + MAX_DELTA_LONG)))
+ Error_Code|= TRANMERC_LON_ERROR;
+ }
+ if (!Error_Code)
+ { /* no errors */
+
+ /*
+ * Delta Longitude
+ */
+ dlam = Longitude - TranMerc_Origin_Long;
+
+ if (fabs(dlam) > (9.0 * PI / 180))
+ { /* Distortion will result if Longitude is more than 9 degrees from the Central Meridian */
+ Error_Code |= TRANMERC_LON_WARNING;
+ }
+
+ if (dlam > PI)
+ dlam -= (2 * PI);
+ if (dlam < -PI)
+ dlam += (2 * PI);
+ if (fabs(dlam) < 2.e-10)
+ dlam = 0.0;
+
+ s = sin(Latitude);
+ c = cos(Latitude);
+ c2 = c * c;
+ c3 = c2 * c;
+ c5 = c3 * c2;
+ c7 = c5 * c2;
+ t = tan (Latitude);
+ tan2 = t * t;
+ tan3 = tan2 * t;
+ tan4 = tan3 * t;
+ tan5 = tan4 * t;
+ tan6 = tan5 * t;
+ eta = TranMerc_ebs * c2;
+ eta2 = eta * eta;
+ eta3 = eta2 * eta;
+ eta4 = eta3 * eta;
+
+ /* radius of curvature in prime vertical */
+ sn = SPHSN(Latitude);
+
+ /* True Meridianal Distances */
+ tmd = SPHTMD(Latitude);
+
+ /* Origin */
+ tmdo = SPHTMD (TranMerc_Origin_Lat);
+
+ /* northing */
+ t1 = (tmd - tmdo) * TranMerc_Scale_Factor;
+ t2 = sn * s * c * TranMerc_Scale_Factor/ 2.e0;
+ t3 = sn * s * c3 * TranMerc_Scale_Factor * (5.e0 - tan2 + 9.e0 * eta
+ + 4.e0 * eta2) /24.e0;
+
+ t4 = sn * s * c5 * TranMerc_Scale_Factor * (61.e0 - 58.e0 * tan2
+ + tan4 + 270.e0 * eta - 330.e0 * tan2 * eta + 445.e0 * eta2
+ + 324.e0 * eta3 -680.e0 * tan2 * eta2 + 88.e0 * eta4
+ -600.e0 * tan2 * eta3 - 192.e0 * tan2 * eta4) / 720.e0;
+
+ t5 = sn * s * c7 * TranMerc_Scale_Factor * (1385.e0 - 3111.e0 *
+ tan2 + 543.e0 * tan4 - tan6) / 40320.e0;
+
+ *Northing = TranMerc_False_Northing + t1 + pow(dlam,2.e0) * t2
+ + pow(dlam,4.e0) * t3 + pow(dlam,6.e0) * t4
+ + pow(dlam,8.e0) * t5;
+
+ /* Easting */
+ t6 = sn * c * TranMerc_Scale_Factor;
+ t7 = sn * c3 * TranMerc_Scale_Factor * (1.e0 - tan2 + eta ) /6.e0;
+ t8 = sn * c5 * TranMerc_Scale_Factor * (5.e0 - 18.e0 * tan2 + tan4
+ + 14.e0 * eta - 58.e0 * tan2 * eta + 13.e0 * eta2 + 4.e0 * eta3
+ - 64.e0 * tan2 * eta2 - 24.e0 * tan2 * eta3 )/ 120.e0;
+ t9 = sn * c7 * TranMerc_Scale_Factor * ( 61.e0 - 479.e0 * tan2
+ + 179.e0 * tan4 - tan6 ) /5040.e0;
+
+ *Easting = TranMerc_False_Easting + dlam * t6 + pow(dlam,3.e0) * t7
+ + pow(dlam,5.e0) * t8 + pow(dlam,7.e0) * t9;
+ }
+ return (Error_Code);
+} /* END OF Convert_Geodetic_To_Transverse_Mercator */
+
+
+long Convert_Transverse_Mercator_To_Geodetic (
+ double Easting,
+ double Northing,
+ double *Latitude,
+ double *Longitude)
+{ /* BEGIN Convert_Transverse_Mercator_To_Geodetic */
+
+ /*
+ * The function Convert_Transverse_Mercator_To_Geodetic converts Transverse
+ * Mercator projection (easting and northing) coordinates to geodetic
+ * (latitude and longitude) coordinates, according to the current ellipsoid
+ * and Transverse Mercator projection parameters. If any errors occur, the
+ * error code(s) are returned by the function, otherwise TRANMERC_NO_ERROR is
+ * returned.
+ *
+ * Easting : Easting/X in meters (input)
+ * Northing : Northing/Y in meters (input)
+ * Latitude : Latitude in radians (output)
+ * Longitude : Longitude in radians (output)
+ */
+
+ double c; /* Cosine of latitude */
+ double de; /* Delta easting - Difference in Easting (Easting-Fe) */
+ double dlam; /* Delta longitude - Difference in Longitude */
+ double eta; /* constant - TranMerc_ebs *c *c */
+ double eta2;
+ double eta3;
+ double eta4;
+ double ftphi; /* Footpoint latitude */
+ int i; /* Loop iterator */
+ //double s; /* Sine of latitude */
+ double sn; /* Radius of curvature in the prime vertical */
+ double sr; /* Radius of curvature in the meridian */
+ double t; /* Tangent of latitude */
+ double tan2;
+ double tan4;
+ double t10; /* Term in coordinate conversion formula - GP to Y */
+ double t11; /* Term in coordinate conversion formula - GP to Y */
+ double t12; /* Term in coordinate conversion formula - GP to Y */
+ double t13; /* Term in coordinate conversion formula - GP to Y */
+ double t14; /* Term in coordinate conversion formula - GP to Y */
+ double t15; /* Term in coordinate conversion formula - GP to Y */
+ double t16; /* Term in coordinate conversion formula - GP to Y */
+ double t17; /* Term in coordinate conversion formula - GP to Y */
+ double tmd; /* True Meridional distance */
+ double tmdo; /* True Meridional distance for latitude of origin */
+ long Error_Code = TRANMERC_NO_ERROR;
+
+ if ((Easting < (TranMerc_False_Easting - TranMerc_Delta_Easting))
+ ||(Easting > (TranMerc_False_Easting + TranMerc_Delta_Easting)))
+ { /* Easting out of range */
+ Error_Code |= TRANMERC_EASTING_ERROR;
+ }
+ if ((Northing < (TranMerc_False_Northing - TranMerc_Delta_Northing))
+ || (Northing > (TranMerc_False_Northing + TranMerc_Delta_Northing)))
+ { /* Northing out of range */
+ Error_Code |= TRANMERC_NORTHING_ERROR;
+ }
+
+ if (!Error_Code)
+ {
+ /* True Meridional Distances for latitude of origin */
+ tmdo = SPHTMD(TranMerc_Origin_Lat);
+
+ /* Origin */
+ tmd = tmdo + (Northing - TranMerc_False_Northing) / TranMerc_Scale_Factor;
+
+ /* First Estimate */
+ sr = SPHSR(0.e0);
+ ftphi = tmd/sr;
+
+ for (i = 0; i < 5 ; i++)
+ {
+ t10 = SPHTMD (ftphi);
+ sr = SPHSR(ftphi);
+ ftphi = ftphi + (tmd - t10) / sr;
+ }
+
+ /* Radius of Curvature in the meridian */
+ sr = SPHSR(ftphi);
+
+ /* Radius of Curvature in the meridian */
+ sn = SPHSN(ftphi);
+
+ /* Sine Cosine terms */
+ //s = sin(ftphi);
+ c = cos(ftphi);
+
+ /* Tangent Value */
+ t = tan(ftphi);
+ tan2 = t * t;
+ tan4 = tan2 * tan2;
+ eta = TranMerc_ebs * pow(c,2);
+ eta2 = eta * eta;
+ eta3 = eta2 * eta;
+ eta4 = eta3 * eta;
+ de = Easting - TranMerc_False_Easting;
+ if (fabs(de) < 0.0001)
+ de = 0.0;
+
+ /* Latitude */
+ t10 = t / (2.e0 * sr * sn * pow(TranMerc_Scale_Factor, 2));
+ t11 = t * (5.e0 + 3.e0 * tan2 + eta - 4.e0 * pow(eta,2)
+ - 9.e0 * tan2 * eta) / (24.e0 * sr * pow(sn,3)
+ * pow(TranMerc_Scale_Factor,4));
+ t12 = t * (61.e0 + 90.e0 * tan2 + 46.e0 * eta + 45.E0 * tan4
+ - 252.e0 * tan2 * eta - 3.e0 * eta2 + 100.e0
+ * eta3 - 66.e0 * tan2 * eta2 - 90.e0 * tan4
+ * eta + 88.e0 * eta4 + 225.e0 * tan4 * eta2
+ + 84.e0 * tan2* eta3 - 192.e0 * tan2 * eta4)
+ / ( 720.e0 * sr * pow(sn,5) * pow(TranMerc_Scale_Factor, 6) );
+ t13 = t * ( 1385.e0 + 3633.e0 * tan2 + 4095.e0 * tan4 + 1575.e0
+ * pow(t,6))/ (40320.e0 * sr * pow(sn,7) * pow(TranMerc_Scale_Factor,8));
+ *Latitude = ftphi - pow(de,2) * t10 + pow(de,4) * t11 - pow(de,6) * t12
+ + pow(de,8) * t13;
+
+ t14 = 1.e0 / (sn * c * TranMerc_Scale_Factor);
+
+ t15 = (1.e0 + 2.e0 * tan2 + eta) / (6.e0 * pow(sn,3) * c *
+ pow(TranMerc_Scale_Factor,3));
+
+ t16 = (5.e0 + 6.e0 * eta + 28.e0 * tan2 - 3.e0 * eta2
+ + 8.e0 * tan2 * eta + 24.e0 * tan4 - 4.e0
+ * eta3 + 4.e0 * tan2 * eta2 + 24.e0
+ * tan2 * eta3) / (120.e0 * pow(sn,5) * c
+ * pow(TranMerc_Scale_Factor,5));
+
+ t17 = (61.e0 + 662.e0 * tan2 + 1320.e0 * tan4 + 720.e0
+ * pow(t,6)) / (5040.e0 * pow(sn,7) * c
+ * pow(TranMerc_Scale_Factor,7));
+
+ /* Difference in Longitude */
+ dlam = de * t14 - pow(de,3) * t15 + pow(de,5) * t16 - pow(de,7) * t17;
+
+ /* Longitude */
+ (*Longitude) = TranMerc_Origin_Long + dlam;
+
+ if((fabs)(*Latitude) > (90.0 * PI / 180.0))
+ Error_Code |= TRANMERC_NORTHING_ERROR;
+
+ if((*Longitude) > (PI))
+ {
+ *Longitude -= (2 * PI);
+ if((fabs)(*Longitude) > PI)
+ Error_Code |= TRANMERC_EASTING_ERROR;
+ }
+ else if((*Longitude) < (-PI))
+ {
+ *Longitude += (2 * PI);
+ if((fabs)(*Longitude) > PI)
+ Error_Code |= TRANMERC_EASTING_ERROR;
+ }
+
+ if (fabs(dlam) > (9.0 * PI / 180) * cos(*Latitude))
+ { /* Distortion will result if Longitude is more than 9 degrees from the Central Meridian at the equator */
+ /* and decreases to 0 degrees at the poles */
+ /* As you move towards the poles, distortion will become more significant */
+ Error_Code |= TRANMERC_LON_WARNING;
+ }
+ }
+ return (Error_Code);
+} /* END OF Convert_Transverse_Mercator_To_Geodetic */
diff --git a/external/geotranz/tranmerc.h b/external/geotranz/tranmerc.h
new file mode 100644
index 00000000..5755ddd6
--- /dev/null
+++ b/external/geotranz/tranmerc.h
@@ -0,0 +1,209 @@
+#ifndef TRANMERC_H
+ #define TRANMERC_H
+
+/***************************************************************************/
+/* RSC IDENTIFIER: TRANSVERSE MERCATOR
+ *
+ * ABSTRACT
+ *
+ * This component provides conversions between Geodetic coordinates
+ * (latitude and longitude) and Transverse Mercator projection coordinates
+ * (easting and northing).
+ *
+ * ERROR HANDLING
+ *
+ * This component checks parameters for valid values. If an invalid value
+ * is found the error code is combined with the current error code using
+ * the bitwise or. This combining allows multiple error codes to be
+ * returned. The possible error codes are:
+ *
+ * TRANMERC_NO_ERROR : No errors occurred in function
+ * TRANMERC_LAT_ERROR : Latitude outside of valid range
+ * (-90 to 90 degrees)
+ * TRANMERC_LON_ERROR : Longitude outside of valid range
+ * (-180 to 360 degrees, and within
+ * +/-90 of Central Meridian)
+ * TRANMERC_EASTING_ERROR : Easting outside of valid range
+ * (depending on ellipsoid and
+ * projection parameters)
+ * TRANMERC_NORTHING_ERROR : Northing outside of valid range
+ * (depending on ellipsoid and
+ * projection parameters)
+ * TRANMERC_ORIGIN_LAT_ERROR : Origin latitude outside of valid range
+ * (-90 to 90 degrees)
+ * TRANMERC_CENT_MER_ERROR : Central meridian outside of valid range
+ * (-180 to 360 degrees)
+ * TRANMERC_A_ERROR : Semi-major axis less than or equal to zero
+ * TRANMERC_INV_F_ERROR : Inverse flattening outside of valid range
+ * (250 to 350)
+ * TRANMERC_SCALE_FACTOR_ERROR : Scale factor outside of valid
+ * range (0.3 to 3.0)
+ * TM_LON_WARNING : Distortion will result if longitude is more
+ * than 9 degrees from the Central Meridian
+ *
+ * REUSE NOTES
+ *
+ * TRANSVERSE MERCATOR is intended for reuse by any application that
+ * performs a Transverse Mercator projection or its inverse.
+ *
+ * REFERENCES
+ *
+ * Further information on TRANSVERSE MERCATOR can be found in the
+ * Reuse Manual.
+ *
+ * TRANSVERSE MERCATOR originated from :
+ * U.S. Army Topographic Engineering Center
+ * Geospatial Information Division
+ * 7701 Telegraph Road
+ * Alexandria, VA 22310-3864
+ *
+ * LICENSES
+ *
+ * None apply to this component.
+ *
+ * RESTRICTIONS
+ *
+ * TRANSVERSE MERCATOR has no restrictions.
+ *
+ * ENVIRONMENT
+ *
+ * TRANSVERSE MERCATOR was tested and certified in the following
+ * environments:
+ *
+ * 1. Solaris 2.5 with GCC, version 2.8.1
+ * 2. Windows 95 with MS Visual C++, version 6
+ *
+ * MODIFICATIONS
+ *
+ * Date Description
+ * ---- -----------
+ * 10-02-97 Original Code
+ * 03-02-97 Re-engineered Code
+ *
+ */
+
+
+/***************************************************************************/
+/*
+ * DEFINES
+ */
+
+ #define TRANMERC_NO_ERROR 0x0000
+ #define TRANMERC_LAT_ERROR 0x0001
+ #define TRANMERC_LON_ERROR 0x0002
+ #define TRANMERC_EASTING_ERROR 0x0004
+ #define TRANMERC_NORTHING_ERROR 0x0008
+ #define TRANMERC_ORIGIN_LAT_ERROR 0x0010
+ #define TRANMERC_CENT_MER_ERROR 0x0020
+ #define TRANMERC_A_ERROR 0x0040
+ #define TRANMERC_INV_F_ERROR 0x0080
+ #define TRANMERC_SCALE_FACTOR_ERROR 0x0100
+ #define TRANMERC_LON_WARNING 0x0200
+
+
+/***************************************************************************/
+/*
+ * FUNCTION PROTOTYPES
+ * for TRANMERC.C
+ */
+
+/* ensure proper linkage to c++ programs */
+ #ifdef __cplusplus
+extern "C" {
+ #endif
+
+
+ long Set_Transverse_Mercator_Parameters(double a,
+ double f,
+ double Origin_Latitude,
+ double Central_Meridian,
+ double False_Easting,
+ double False_Northing,
+ double Scale_Factor);
+/*
+ * The function Set_Tranverse_Mercator_Parameters receives the ellipsoid
+ * parameters and Tranverse Mercator projection parameters as inputs, and
+ * sets the corresponding state variables. If any errors occur, the error
+ * code(s) are returned by the function, otherwise TRANMERC_NO_ERROR is
+ * returned.
+ *
+ * a : Semi-major axis of ellipsoid, in meters (input)
+ * f : Flattening of ellipsoid (input)
+ * Origin_Latitude : Latitude in radians at the origin of the (input)
+ * projection
+ * Central_Meridian : Longitude in radians at the center of the (input)
+ * projection
+ * False_Easting : Easting/X at the center of the projection (input)
+ * False_Northing : Northing/Y at the center of the projection (input)
+ * Scale_Factor : Projection scale factor (input)
+ */
+
+
+ void Get_Transverse_Mercator_Parameters(double *a,
+ double *f,
+ double *Origin_Latitude,
+ double *Central_Meridian,
+ double *False_Easting,
+ double *False_Northing,
+ double *Scale_Factor);
+/*
+ * The function Get_Transverse_Mercator_Parameters returns the current
+ * ellipsoid and Transverse Mercator projection parameters.
+ *
+ * a : Semi-major axis of ellipsoid, in meters (output)
+ * f : Flattening of ellipsoid (output)
+ * Origin_Latitude : Latitude in radians at the origin of the (output)
+ * projection
+ * Central_Meridian : Longitude in radians at the center of the (output)
+ * projection
+ * False_Easting : Easting/X at the center of the projection (output)
+ * False_Northing : Northing/Y at the center of the projection (output)
+ * Scale_Factor : Projection scale factor (output)
+ */
+
+
+ long Convert_Geodetic_To_Transverse_Mercator (double Latitude,
+ double Longitude,
+ double *Easting,
+ double *Northing);
+
+/*
+ * The function Convert_Geodetic_To_Transverse_Mercator converts geodetic
+ * (latitude and longitude) coordinates to Transverse Mercator projection
+ * (easting and northing) coordinates, according to the current ellipsoid
+ * and Transverse Mercator projection coordinates. If any errors occur, the
+ * error code(s) are returned by the function, otherwise TRANMERC_NO_ERROR is
+ * returned.
+ *
+ * Latitude : Latitude in radians (input)
+ * Longitude : Longitude in radians (input)
+ * Easting : Easting/X in meters (output)
+ * Northing : Northing/Y in meters (output)
+ */
+
+
+ long Convert_Transverse_Mercator_To_Geodetic (double Easting,
+ double Northing,
+ double *Latitude,
+ double *Longitude);
+
+/*
+ * The function Convert_Transverse_Mercator_To_Geodetic converts Transverse
+ * Mercator projection (easting and northing) coordinates to geodetic
+ * (latitude and longitude) coordinates, according to the current ellipsoid
+ * and Transverse Mercator projection parameters. If any errors occur, the
+ * error code(s) are returned by the function, otherwise TRANMERC_NO_ERROR is
+ * returned.
+ *
+ * Easting : Easting/X in meters (input)
+ * Northing : Northing/Y in meters (input)
+ * Latitude : Latitude in radians (output)
+ * Longitude : Longitude in radians (output)
+ */
+
+
+ #ifdef __cplusplus
+}
+ #endif
+
+#endif /* TRANMERC_H */
diff --git a/external/geotranz/ups.c b/external/geotranz/ups.c
new file mode 100644
index 00000000..f9975f2c
--- /dev/null
+++ b/external/geotranz/ups.c
@@ -0,0 +1,302 @@
+/********************************************************************/
+/* RSC IDENTIFIER: UPS
+ *
+ *
+ * ABSTRACT
+ *
+ * This component provides conversions between geodetic (latitude
+ * and longitude) coordinates and Universal Polar Stereographic (UPS)
+ * projection (hemisphere, easting, and northing) coordinates.
+ *
+ *
+ * ERROR HANDLING
+ *
+ * This component checks parameters for valid values. If an
+ * invalid value is found the error code is combined with the
+ * current error code using the bitwise or. This combining allows
+ * multiple error codes to be returned. The possible error codes
+ * are:
+ *
+ * UPS_NO_ERROR : No errors occurred in function
+ * UPS_LAT_ERROR : Latitude outside of valid range
+ * (North Pole: 83.5 to 90,
+ * South Pole: -79.5 to -90)
+ * UPS_LON_ERROR : Longitude outside of valid range
+ * (-180 to 360 degrees)
+ * UPS_HEMISPHERE_ERROR : Invalid hemisphere ('N' or 'S')
+ * UPS_EASTING_ERROR : Easting outside of valid range,
+ * (0 to 4,000,000m)
+ * UPS_NORTHING_ERROR : Northing outside of valid range,
+ * (0 to 4,000,000m)
+ * UPS_A_ERROR : Semi-major axis less than or equal to zero
+ * UPS_INV_F_ERROR : Inverse flattening outside of valid range
+ * (250 to 350)
+ *
+ *
+ * REUSE NOTES
+ *
+ * UPS is intended for reuse by any application that performs a Universal
+ * Polar Stereographic (UPS) projection.
+ *
+ *
+ * REFERENCES
+ *
+ * Further information on UPS can be found in the Reuse Manual.
+ *
+ * UPS originated from : U.S. Army Topographic Engineering Center
+ * Geospatial Information Division
+ * 7701 Telegraph Road
+ * Alexandria, VA 22310-3864
+ *
+ *
+ * LICENSES
+ *
+ * None apply to this component.
+ *
+ *
+ * RESTRICTIONS
+ *
+ * UPS has no restrictions.
+ *
+ *
+ * ENVIRONMENT
+ *
+ * UPS was tested and certified in the following environments:
+ *
+ * 1. Solaris 2.5 with GCC version 2.8.1
+ * 2. Windows 95 with MS Visual C++ version 6
+ *
+ *
+ * MODIFICATIONS
+ *
+ * Date Description
+ * ---- -----------
+ * 06-11-95 Original Code
+ * 03-01-97 Original Code
+ *
+ *
+ */
+
+
+/************************************************************************/
+/*
+ * INCLUDES
+ */
+
+#include
+#include "polarst.h"
+#include "ups.h"
+/*
+ * math.h - Is needed to call the math functions.
+ * polar.h - Is used to convert polar stereographic coordinates
+ * ups.h - Defines the function prototypes for the ups module.
+ */
+
+
+/************************************************************************/
+/* GLOBAL DECLARATIONS
+ *
+ */
+
+#define PI 3.14159265358979323e0 /* PI */
+#define PI_OVER (PI/2.0e0) /* PI over 2 */
+#define MAX_LAT ((PI * 90)/180.0) /* 90 degrees in radians */
+#define MAX_ORIGIN_LAT ((81.114528 * PI) / 180.0)
+#define MIN_NORTH_LAT (83.5*PI/180.0)
+#define MIN_SOUTH_LAT (-79.5*PI/180.0)
+#define MIN_EAST_NORTH 0
+#define MAX_EAST_NORTH 4000000
+
+/* Ellipsoid Parameters, default to WGS 84 */
+static double UPS_a = 6378137.0; /* Semi-major axis of ellipsoid in meters */
+static double UPS_f = 1 / 298.257223563; /* Flattening of ellipsoid */
+const double UPS_False_Easting = 2000000;
+const double UPS_False_Northing = 2000000;
+static double UPS_Origin_Latitude = MAX_ORIGIN_LAT; /*set default = North Hemisphere */
+static double UPS_Origin_Longitude = 0.0;
+
+
+/************************************************************************/
+/* FUNCTIONS
+ *
+ */
+
+
+long Set_UPS_Parameters( double a,
+ double f)
+{
+/*
+ * The function SET_UPS_PARAMETERS receives the ellipsoid parameters and sets
+ * the corresponding state variables. If any errors occur, the error code(s)
+ * are returned by the function, otherwise UPS_NO_ERROR is returned.
+ *
+ * a : Semi-major axis of ellipsoid in meters (input)
+ * f : Flattening of ellipsoid (input)
+ */
+
+ double inv_f = 1 / f;
+ long Error_Code = UPS_NO_ERROR;
+
+ if (a <= 0.0)
+ { /* Semi-major axis must be greater than zero */
+ Error_Code |= UPS_A_ERROR;
+ }
+ if ((inv_f < 250) || (inv_f > 350))
+ { /* Inverse flattening must be between 250 and 350 */
+ Error_Code |= UPS_INV_F_ERROR;
+ }
+
+ if (!Error_Code)
+ { /* no errors */
+ UPS_a = a;
+ UPS_f = f;
+ }
+ return (Error_Code);
+} /* END of Set_UPS_Parameters */
+
+
+void Get_UPS_Parameters( double *a,
+ double *f)
+{
+/*
+ * The function Get_UPS_Parameters returns the current ellipsoid parameters.
+ *
+ * a : Semi-major axis of ellipsoid, in meters (output)
+ * f : Flattening of ellipsoid (output)
+ */
+
+ *a = UPS_a;
+ *f = UPS_f;
+ return;
+} /* END OF Get_UPS_Parameters */
+
+
+long Convert_Geodetic_To_UPS ( double Latitude,
+ double Longitude,
+ char *Hemisphere,
+ double *Easting,
+ double *Northing)
+{
+/*
+ * The function Convert_Geodetic_To_UPS converts geodetic (latitude and
+ * longitude) coordinates to UPS (hemisphere, easting, and northing)
+ * coordinates, according to the current ellipsoid parameters. If any
+ * errors occur, the error code(s) are returned by the function,
+ * otherwide UPS_NO_ERROR is returned.
+ *
+ * Latitude : Latitude in radians (input)
+ * Longitude : Longitude in radians (input)
+ * Hemisphere : Hemisphere either 'N' or 'S' (output)
+ * Easting : Easting/X in meters (output)
+ * Northing : Northing/Y in meters (output)
+ */
+
+ double tempEasting, tempNorthing;
+ long Error_Code = UPS_NO_ERROR;
+
+ if ((Latitude < -MAX_LAT) || (Latitude > MAX_LAT))
+ { /* latitude out of range */
+ Error_Code |= UPS_LAT_ERROR;
+ }
+ if ((Latitude < 0) && (Latitude > MIN_SOUTH_LAT))
+ Error_Code |= UPS_LAT_ERROR;
+ if ((Latitude >= 0) && (Latitude < MIN_NORTH_LAT))
+ Error_Code |= UPS_LAT_ERROR;
+ if ((Longitude < -PI) || (Longitude > (2 * PI)))
+ { /* slam out of range */
+ Error_Code |= UPS_LON_ERROR;
+ }
+
+ if (!Error_Code)
+ { /* no errors */
+ if (Latitude < 0)
+ {
+ UPS_Origin_Latitude = -MAX_ORIGIN_LAT;
+ *Hemisphere = 'S';
+ }
+ else
+ {
+ UPS_Origin_Latitude = MAX_ORIGIN_LAT;
+ *Hemisphere = 'N';
+ }
+
+
+ Set_Polar_Stereographic_Parameters( UPS_a,
+ UPS_f,
+ UPS_Origin_Latitude,
+ UPS_Origin_Longitude,
+ UPS_False_Easting,
+ UPS_False_Northing);
+
+ Convert_Geodetic_To_Polar_Stereographic(Latitude,
+ Longitude,
+ &tempEasting,
+ &tempNorthing);
+
+ *Easting = tempEasting;
+ *Northing = tempNorthing;
+ } /* END of if(!Error_Code) */
+
+ return Error_Code;
+} /* END OF Convert_Geodetic_To_UPS */
+
+
+long Convert_UPS_To_Geodetic(char Hemisphere,
+ double Easting,
+ double Northing,
+ double *Latitude,
+ double *Longitude)
+{
+/*
+ * The function Convert_UPS_To_Geodetic converts UPS (hemisphere, easting,
+ * and northing) coordinates to geodetic (latitude and longitude) coordinates
+ * according to the current ellipsoid parameters. If any errors occur, the
+ * error code(s) are returned by the function, otherwise UPS_NO_ERROR is
+ * returned.
+ *
+ * Hemisphere : Hemisphere either 'N' or 'S' (input)
+ * Easting : Easting/X in meters (input)
+ * Northing : Northing/Y in meters (input)
+ * Latitude : Latitude in radians (output)
+ * Longitude : Longitude in radians (output)
+ */
+
+ long Error_Code = UPS_NO_ERROR;
+
+ if ((Hemisphere != 'N') && (Hemisphere != 'S'))
+ Error_Code |= UPS_HEMISPHERE_ERROR;
+ if ((Easting < MIN_EAST_NORTH) || (Easting > MAX_EAST_NORTH))
+ Error_Code |= UPS_EASTING_ERROR;
+ if ((Northing < MIN_EAST_NORTH) || (Northing > MAX_EAST_NORTH))
+ Error_Code |= UPS_NORTHING_ERROR;
+
+ if (Hemisphere =='N')
+ {UPS_Origin_Latitude = MAX_ORIGIN_LAT;}
+ if (Hemisphere =='S')
+ {UPS_Origin_Latitude = -MAX_ORIGIN_LAT;}
+
+ if (!Error_Code)
+ { /* no errors */
+ Set_Polar_Stereographic_Parameters( UPS_a,
+ UPS_f,
+ UPS_Origin_Latitude,
+ UPS_Origin_Longitude,
+ UPS_False_Easting,
+ UPS_False_Northing);
+
+
+
+ Convert_Polar_Stereographic_To_Geodetic( Easting,
+ Northing,
+ Latitude,
+ Longitude);
+
+
+ if ((*Latitude < 0) && (*Latitude > MIN_SOUTH_LAT))
+ Error_Code |= UPS_LAT_ERROR;
+ if ((*Latitude >= 0) && (*Latitude < MIN_NORTH_LAT))
+ Error_Code |= UPS_LAT_ERROR;
+ } /* END OF if(!Error_Code) */
+ return (Error_Code);
+} /* END OF Convert_UPS_To_Geodetic */
+
diff --git a/external/geotranz/ups.h b/external/geotranz/ups.h
new file mode 100644
index 00000000..9f6c8172
--- /dev/null
+++ b/external/geotranz/ups.h
@@ -0,0 +1,175 @@
+#ifndef UPS_H
+ #define UPS_H
+/********************************************************************/
+/* RSC IDENTIFIER: UPS
+ *
+ *
+ * ABSTRACT
+ *
+ * This component provides conversions between geodetic (latitude
+ * and longitude) coordinates and Universal Polar Stereographic (UPS)
+ * projection (hemisphere, easting, and northing) coordinates.
+ *
+ *
+ * ERROR HANDLING
+ *
+ * This component checks parameters for valid values. If an
+ * invalid value is found the error code is combined with the
+ * current error code using the bitwise or. This combining allows
+ * multiple error codes to be returned. The possible error codes
+ * are:
+ *
+ * UPS_NO_ERROR : No errors occurred in function
+ * UPS_LAT_ERROR : Latitude outside of valid range
+ * (North Pole: 83.5 to 90,
+ * South Pole: -79.5 to -90)
+ * UPS_LON_ERROR : Longitude outside of valid range
+ * (-180 to 360 degrees)
+ * UPS_HEMISPHERE_ERROR : Invalid hemisphere ('N' or 'S')
+ * UPS_EASTING_ERROR : Easting outside of valid range,
+ * (0 to 4,000,000m)
+ * UPS_NORTHING_ERROR : Northing outside of valid range,
+ * (0 to 4,000,000m)
+ * UPS_A_ERROR : Semi-major axis less than or equal to zero
+ * UPS_INV_F_ERROR : Inverse flattening outside of valid range
+ * (250 to 350)
+ *
+ *
+ * REUSE NOTES
+ *
+ * UPS is intended for reuse by any application that performs a Universal
+ * Polar Stereographic (UPS) projection.
+ *
+ *
+ * REFERENCES
+ *
+ * Further information on UPS can be found in the Reuse Manual.
+ *
+ * UPS originated from : U.S. Army Topographic Engineering Center
+ * Geospatial Information Division
+ * 7701 Telegraph Road
+ * Alexandria, VA 22310-3864
+ *
+ *
+ * LICENSES
+ *
+ * None apply to this component.
+ *
+ *
+ * RESTRICTIONS
+ *
+ * UPS has no restrictions.
+ *
+ *
+ * ENVIRONMENT
+ *
+ * UPS was tested and certified in the following environments:
+ *
+ * 1. Solaris 2.5 with GCC version 2.8.1
+ * 2. Windows 95 with MS Visual C++ version 6
+ *
+ *
+ * MODIFICATIONS
+ *
+ * Date Description
+ * ---- -----------
+ * 06-11-95 Original Code
+ * 03-01-97 Original Code
+ *
+ *
+ */
+
+
+/**********************************************************************/
+/*
+ * DEFINES
+ */
+
+ #define UPS_NO_ERROR 0x0000
+ #define UPS_LAT_ERROR 0x0001
+ #define UPS_LON_ERROR 0x0002
+ #define UPS_HEMISPHERE_ERROR 0x0004
+ #define UPS_EASTING_ERROR 0x0008
+ #define UPS_NORTHING_ERROR 0x0010
+ #define UPS_A_ERROR 0x0020
+ #define UPS_INV_F_ERROR 0x0040
+
+
+/**********************************************************************/
+/*
+ * FUNCTION PROTOTYPES
+ * for UPS.C
+ */
+
+/* ensure proper linkage to c++ programs */
+ #ifdef __cplusplus
+extern "C" {
+ #endif
+
+ long Set_UPS_Parameters( double a,
+ double f);
+/*
+ * The function SET_UPS_PARAMETERS receives the ellipsoid parameters and sets
+ * the corresponding state variables. If any errors occur, the error code(s)
+ * are returned by the function, otherwise UPS_NO_ERROR is returned.
+ *
+ * a : Semi-major axis of ellipsoid in meters (input)
+ * f : Flattening of ellipsoid (input)
+ */
+
+
+ void Get_UPS_Parameters( double *a,
+ double *f);
+/*
+ * The function Get_UPS_Parameters returns the current ellipsoid parameters.
+ *
+ * a : Semi-major axis of ellipsoid, in meters (output)
+ * f : Flattening of ellipsoid (output)
+ */
+
+
+ long Convert_Geodetic_To_UPS ( double Latitude,
+ double Longitude,
+ char *Hemisphere,
+ double *Easting,
+ double *Northing);
+/*
+ * The function Convert_Geodetic_To_UPS converts geodetic (latitude and
+ * longitude) coordinates to UPS (hemisphere, easting, and northing)
+ * coordinates, according to the current ellipsoid parameters. If any
+ * errors occur, the error code(s) are returned by the function,
+ * otherwide UPS_NO_ERROR is returned.
+ *
+ * Latitude : Latitude in radians (input)
+ * Longitude : Longitude in radians (input)
+ * Hemisphere : Hemisphere either 'N' or 'S' (output)
+ * Easting : Easting/X in meters (output)
+ * Northing : Northing/Y in meters (output)
+ */
+
+
+ long Convert_UPS_To_Geodetic(char Hemisphere,
+ double Easting,
+ double Northing,
+ double *Latitude,
+ double *Longitude);
+
+/*
+ * The function Convert_UPS_To_Geodetic converts UPS (hemisphere, easting,
+ * and northing) coordinates to geodetic (latitude and longitude) coordinates
+ * according to the current ellipsoid parameters. If any errors occur, the
+ * error code(s) are returned by the function, otherwise UPS_NO_ERROR is
+ * returned.
+ *
+ * Hemisphere : Hemisphere either 'N' or 'S' (input)
+ * Easting : Easting/X in meters (input)
+ * Northing : Northing/Y in meters (input)
+ * Latitude : Latitude in radians (output)
+ * Longitude : Longitude in radians (output)
+ */
+
+ #ifdef __cplusplus
+}
+ #endif
+
+#endif /* UPS_H */
diff --git a/external/geotranz/usng.c b/external/geotranz/usng.c
new file mode 100644
index 00000000..fdd2fba7
--- /dev/null
+++ b/external/geotranz/usng.c
@@ -0,0 +1,1262 @@
+/***************************************************************************/
+/* RSC IDENTIFIER: USNG
+ *
+ * ABSTRACT
+ *
+ * This component converts between geodetic coordinates (latitude and
+ * longitude) and United States National Grid (USNG) coordinates.
+ *
+ * ERROR HANDLING
+ *
+ * This component checks parameters for valid values. If an invalid value
+ * is found, the error code is combined with the current error code using
+ * the bitwise or. This combining allows multiple error codes to be
+ * returned. The possible error codes are:
+ *
+ * USNG_NO_ERROR : No errors occurred in function
+ * USNG_LAT_ERROR : Latitude outside of valid range
+ * (-90 to 90 degrees)
+ * USNG_LON_ERROR : Longitude outside of valid range
+ * (-180 to 360 degrees)
+ * USNG_STR_ERROR : An USNG string error: string too long,
+ * too short, or badly formed
+ * USNG_PRECISION_ERROR : The precision must be between 0 and 5
+ * inclusive.
+ * USNG_A_ERROR : Semi-major axis less than or equal to zero
+ * USNG_INV_F_ERROR : Inverse flattening outside of valid range
+ * (250 to 350)
+ * USNG_EASTING_ERROR : Easting outside of valid range
+ * (100,000 to 900,000 meters for UTM)
+ * (0 to 4,000,000 meters for UPS)
+ * USNG_NORTHING_ERROR : Northing outside of valid range
+ * (0 to 10,000,000 meters for UTM)
+ * (0 to 4,000,000 meters for UPS)
+ * USNG_ZONE_ERROR : Zone outside of valid range (1 to 60)
+ * USNG_HEMISPHERE_ERROR : Invalid hemisphere ('N' or 'S')
+ *
+ * REUSE NOTES
+ *
+ * USNG is intended for reuse by any application that does conversions
+ * between geodetic coordinates and USNG coordinates.
+ *
+ * REFERENCES
+ *
+ * Further information on USNG can be found in the Reuse Manual.
+ *
+ * USNG originated from : Federal Geographic Data Committee
+ * 590 National Center
+ * 12201 Sunrise Valley Drive
+ * Reston, VA 22092
+ *
+ * LICENSES
+ *
+ * None apply to this component.
+ *
+ * RESTRICTIONS
+ *
+ *
+ * ENVIRONMENT
+ *
+ * USNG was tested and certified in the following environments:
+ *
+ * 1. Solaris 2.5 with GCC version 2.8.1
+ * 2. Windows XP with MS Visual C++ version 6
+ *
+ * MODIFICATIONS
+ *
+ * Date Description
+ * ---- -----------
+ * 06-05-06 Original Code (cloned from MGRS)
+ */
+
+
+/***************************************************************************/
+/*
+ * INCLUDES
+ */
+#include
+#include
+#include
+#include
+#include "ups.h"
+#include "utm.h"
+#include "usng.h"
+
+/*
+ * ctype.h - Standard C character handling library
+ * math.h - Standard C math library
+ * stdio.h - Standard C input/output library
+ * string.h - Standard C string handling library
+ * ups.h - Universal Polar Stereographic (UPS) projection
+ * utm.h - Universal Transverse Mercator (UTM) projection
+ * usng.h - function prototype error checking
+ */
+
+
+/***************************************************************************/
+/*
+ * GLOBAL DECLARATIONS
+ */
+#define DEG_TO_RAD 0.017453292519943295 /* PI/180 */
+#define RAD_TO_DEG 57.29577951308232087 /* 180/PI */
+#define LETTER_A 0 /* ARRAY INDEX FOR LETTER A */
+#define LETTER_B 1 /* ARRAY INDEX FOR LETTER B */
+#define LETTER_C 2 /* ARRAY INDEX FOR LETTER C */
+#define LETTER_D 3 /* ARRAY INDEX FOR LETTER D */
+#define LETTER_E 4 /* ARRAY INDEX FOR LETTER E */
+#define LETTER_F 5 /* ARRAY INDEX FOR LETTER F */
+#define LETTER_G 6 /* ARRAY INDEX FOR LETTER G */
+#define LETTER_H 7 /* ARRAY INDEX FOR LETTER H */
+#define LETTER_I 8 /* ARRAY INDEX FOR LETTER I */
+#define LETTER_J 9 /* ARRAY INDEX FOR LETTER J */
+#define LETTER_K 10 /* ARRAY INDEX FOR LETTER K */
+#define LETTER_L 11 /* ARRAY INDEX FOR LETTER L */
+#define LETTER_M 12 /* ARRAY INDEX FOR LETTER M */
+#define LETTER_N 13 /* ARRAY INDEX FOR LETTER N */
+#define LETTER_O 14 /* ARRAY INDEX FOR LETTER O */
+#define LETTER_P 15 /* ARRAY INDEX FOR LETTER P */
+#define LETTER_Q 16 /* ARRAY INDEX FOR LETTER Q */
+#define LETTER_R 17 /* ARRAY INDEX FOR LETTER R */
+#define LETTER_S 18 /* ARRAY INDEX FOR LETTER S */
+#define LETTER_T 19 /* ARRAY INDEX FOR LETTER T */
+#define LETTER_U 20 /* ARRAY INDEX FOR LETTER U */
+#define LETTER_V 21 /* ARRAY INDEX FOR LETTER V */
+#define LETTER_W 22 /* ARRAY INDEX FOR LETTER W */
+#define LETTER_X 23 /* ARRAY INDEX FOR LETTER X */
+#define LETTER_Y 24 /* ARRAY INDEX FOR LETTER Y */
+#define LETTER_Z 25 /* ARRAY INDEX FOR LETTER Z */
+#define USNG_LETTERS 3 /* NUMBER OF LETTERS IN USNG */
+#define ONEHT 100000.e0 /* ONE HUNDRED THOUSAND */
+#define TWOMIL 2000000.e0 /* TWO MILLION */
+#define TRUE 1 /* CONSTANT VALUE FOR TRUE VALUE */
+#define FALSE 0 /* CONSTANT VALUE FOR FALSE VALUE */
+#define PI 3.14159265358979323e0 /* PI */
+#define PI_OVER_2 (PI / 2.0e0)
+
+#define MIN_EASTING 100000
+#define MAX_EASTING 900000
+#define MIN_NORTHING 0
+#define MAX_NORTHING 10000000
+#define MAX_PRECISION 5 /* Maximum precision of easting & northing */
+#define MIN_UTM_LAT ( (-80 * PI) / 180.0 ) /* -80 degrees in radians */
+#define MAX_UTM_LAT ( (84 * PI) / 180.0 ) /* 84 degrees in radians */
+
+#define MIN_EAST_NORTH 0
+#define MAX_EAST_NORTH 4000000
+
+
+/* Ellipsoid parameters, default to WGS 84 */
+double USNG_a = 6378137.0; /* Semi-major axis of ellipsoid in meters */
+double USNG_f = 1 / 298.257223563; /* Flattening of ellipsoid */
+double USNG_recpf = 298.257223563;
+char USNG_Ellipsoid_Code[3] = {'W','E',0};
+
+
+typedef struct Latitude_Band_Value
+{
+ long letter; /* letter representing latitude band */
+ double min_northing; /* minimum northing for latitude band */
+ double north; /* upper latitude for latitude band */
+ double south; /* lower latitude for latitude band */
+ double northing_offset; /* latitude band northing offset */
+} Latitude_Band;
+
+static const Latitude_Band Latitude_Band_Table[20] =
+ {{LETTER_C, 1100000.0, -72.0, -80.5, 0.0},
+ {LETTER_D, 2000000.0, -64.0, -72.0, 2000000.0},
+ {LETTER_E, 2800000.0, -56.0, -64.0, 2000000.0},
+ {LETTER_F, 3700000.0, -48.0, -56.0, 2000000.0},
+ {LETTER_G, 4600000.0, -40.0, -48.0, 4000000.0},
+ {LETTER_H, 5500000.0, -32.0, -40.0, 4000000.0},
+ {LETTER_J, 6400000.0, -24.0, -32.0, 6000000.0},
+ {LETTER_K, 7300000.0, -16.0, -24.0, 6000000.0},
+ {LETTER_L, 8200000.0, -8.0, -16.0, 8000000.0},
+ {LETTER_M, 9100000.0, 0.0, -8.0, 8000000.0},
+ {LETTER_N, 0.0, 8.0, 0.0, 0.0},
+ {LETTER_P, 800000.0, 16.0, 8.0, 0.0},
+ {LETTER_Q, 1700000.0, 24.0, 16.0, 0.0},
+ {LETTER_R, 2600000.0, 32.0, 24.0, 2000000.0},
+ {LETTER_S, 3500000.0, 40.0, 32.0, 2000000.0},
+ {LETTER_T, 4400000.0, 48.0, 40.0, 4000000.0},
+ {LETTER_U, 5300000.0, 56.0, 48.0, 4000000.0},
+ {LETTER_V, 6200000.0, 64.0, 56.0, 6000000.0},
+ {LETTER_W, 7000000.0, 72.0, 64.0, 6000000.0},
+ {LETTER_X, 7900000.0, 84.5, 72.0, 6000000.0}};
+
+
+typedef struct UPS_Constant_Value
+{
+ long letter; /* letter representing latitude band */
+ long ltr2_low_value; /* 2nd letter range - low number */
+ long ltr2_high_value; /* 2nd letter range - high number */
+ long ltr3_high_value; /* 3rd letter range - high number (UPS) */
+ double false_easting; /* False easting based on 2nd letter */
+ double false_northing; /* False northing based on 3rd letter */
+} UPS_Constant;
+
+static const UPS_Constant UPS_Constant_Table[4] =
+ {{LETTER_A, LETTER_J, LETTER_Z, LETTER_Z, 800000.0, 800000.0},
+ {LETTER_B, LETTER_A, LETTER_R, LETTER_Z, 2000000.0, 800000.0},
+ {LETTER_Y, LETTER_J, LETTER_Z, LETTER_P, 800000.0, 1300000.0},
+ {LETTER_Z, LETTER_A, LETTER_J, LETTER_P, 2000000.0, 1300000.0}};
+
+/***************************************************************************/
+/*
+ * FUNCTIONS
+ */
+
+long USNG_Get_Latitude_Band_Min_Northing(long letter, double* min_northing, double* northing_offset)
+/*
+ * The function USNG_Get_Latitude_Band_Min_Northing receives a latitude band letter
+ * and uses the Latitude_Band_Table to determine the minimum northing and northing offset
+ * for that latitude band letter.
+ *
+ * letter : Latitude band letter (input)
+ * min_northing : Minimum northing for that letter (output)
+ */
+{ /* USNG_Get_Latitude_Band_Min_Northing */
+ long error_code = USNG_NO_ERROR;
+
+ if ((letter >= LETTER_C) && (letter <= LETTER_H))
+ {
+ *min_northing = Latitude_Band_Table[letter-2].min_northing;
+ *northing_offset = Latitude_Band_Table[letter-2].northing_offset;
+ }
+ else if ((letter >= LETTER_J) && (letter <= LETTER_N))
+ {
+ *min_northing = Latitude_Band_Table[letter-3].min_northing;
+ *northing_offset = Latitude_Band_Table[letter-3].northing_offset;
+ }
+ else if ((letter >= LETTER_P) && (letter <= LETTER_X))
+ {
+ *min_northing = Latitude_Band_Table[letter-4].min_northing;
+ *northing_offset = Latitude_Band_Table[letter-4].northing_offset;
+ }
+ else
+ error_code |= USNG_STRING_ERROR;
+
+ return error_code;
+} /* USNG_Get_Latitude_Band_Min_Northing */
+
+
+long USNG_Get_Latitude_Range(long letter, double* north, double* south)
+/*
+ * The function USNG_Get_Latitude_Range receives a latitude band letter
+ * and uses the Latitude_Band_Table to determine the latitude band
+ * boundaries for that latitude band letter.
+ *
+ * letter : Latitude band letter (input)
+ * north : Northern latitude boundary for that letter (output)
+ * north : Southern latitude boundary for that letter (output)
+ */
+{ /* USNG_Get_Latitude_Range */
+ long error_code = USNG_NO_ERROR;
+
+ if ((letter >= LETTER_C) && (letter <= LETTER_H))
+ {
+ *north = Latitude_Band_Table[letter-2].north * DEG_TO_RAD;
+ *south = Latitude_Band_Table[letter-2].south * DEG_TO_RAD;
+ }
+ else if ((letter >= LETTER_J) && (letter <= LETTER_N))
+ {
+ *north = Latitude_Band_Table[letter-3].north * DEG_TO_RAD;
+ *south = Latitude_Band_Table[letter-3].south * DEG_TO_RAD;
+ }
+ else if ((letter >= LETTER_P) && (letter <= LETTER_X))
+ {
+ *north = Latitude_Band_Table[letter-4].north * DEG_TO_RAD;
+ *south = Latitude_Band_Table[letter-4].south * DEG_TO_RAD;
+ }
+ else
+ error_code |= USNG_STRING_ERROR;
+
+ return error_code;
+} /* USNG_Get_Latitude_Range */
+
+
+long USNG_Get_Latitude_Letter(double latitude, int* letter)
+/*
+ * The function USNG_Get_Latitude_Letter receives a latitude value
+ * and uses the Latitude_Band_Table to determine the latitude band
+ * letter for that latitude.
+ *
+ * latitude : Latitude (input)
+ * letter : Latitude band letter (output)
+ */
+{ /* USNG_Get_Latitude_Letter */
+ double temp = 0.0;
+ long error_code = USNG_NO_ERROR;
+ double lat_deg = latitude * RAD_TO_DEG;
+
+ if (lat_deg >= 72 && lat_deg < 84.5)
+ *letter = LETTER_X;
+ else if (lat_deg > -80.5 && lat_deg < 72)
+ {
+ temp = ((latitude + (80.0 * DEG_TO_RAD)) / (8.0 * DEG_TO_RAD)) + 1.0e-12;
+ *letter = Latitude_Band_Table[(int)temp].letter;
+ }
+ else
+ error_code |= USNG_LAT_ERROR;
+
+ return error_code;
+} /* USNG_Get_Latitude_Letter */
+
+
+long USNG_Check_Zone(char* USNG, long* zone_exists)
+/*
+ * The function USNG_Check_Zone receives a USNG coordinate string.
+ * If a zone is given, TRUE is returned. Otherwise, FALSE
+ * is returned.
+ *
+ * USNG : USNG coordinate string (input)
+ * zone_exists : TRUE if a zone is given,
+ * FALSE if a zone is not given (output)
+ */
+{ /* USNG_Check_Zone */
+ int i = 0;
+ int j = 0;
+ int num_digits = 0;
+ long error_code = USNG_NO_ERROR;
+
+ /* skip any leading blanks */
+ while (USNG[i] == ' ')
+ i++;
+ j = i;
+ while (isdigit(USNG[i]))
+ i++;
+ num_digits = i - j;
+ if (num_digits <= 2)
+ if (num_digits > 0)
+ *zone_exists = TRUE;
+ else
+ *zone_exists = FALSE;
+ else
+ error_code |= USNG_STRING_ERROR;
+
+ return error_code;
+} /* USNG_Check_Zone */
+
+
+long Make_USNG_String (char* USNG,
+ long Zone,
+ int Letters[USNG_LETTERS],
+ double Easting,
+ double Northing,
+ long Precision)
+/*
+ * The function Make_USNG_String constructs a USNG string
+ * from its component parts.
+ *
+ * USNG : USNG coordinate string (output)
+ * Zone : UTM Zone (input)
+ * Letters : USNG coordinate string letters (input)
+ * Easting : Easting value (input)
+ * Northing : Northing value (input)
+ * Precision : Precision level of USNG string (input)
+ */
+{ /* Make_USNG_String */
+ long i;
+ long j;
+ double divisor;
+ long east;
+ long north;
+ char alphabet[] = "ABCDEFGHIJKLMNOPQRSTUVWXYZ";
+ long error_code = USNG_NO_ERROR;
+
+ i = 0;
+ if (Zone)
+ i = sprintf (USNG+i,"%2.2ld",Zone);
+ else
+ strcpy(USNG, " "); // 2 spaces - Should i be set to 2?
+
+ for (j=0;j<3;j++)
+ USNG[i++] = alphabet[Letters[j]];
+ divisor = pow (10.0, (5 - Precision));
+ Easting = fmod (Easting, 100000.0);
+ if (Easting >= 99999.5)
+ Easting = 99999.0;
+ east = (long)(Easting/divisor);
+ i += sprintf (USNG+i, "%*.*ld", (int)Precision, (int)Precision, east);
+ Northing = fmod (Northing, 100000.0);
+ if (Northing >= 99999.5)
+ Northing = 99999.0;
+ north = (long)(Northing/divisor);
+ i += sprintf (USNG+i, "%*.*ld", (int)Precision, (int)Precision, north);
+ return (error_code);
+} /* Make_USNG_String */
+
+
+long Break_USNG_String (char* USNG,
+ long* Zone,
+ long Letters[USNG_LETTERS],
+ double* Easting,
+ double* Northing,
+ long* Precision)
+/*
+ * The function Break_USNG_String breaks down a USNG
+ * coordinate string into its component parts.
+ *
+ * USNG : USNG coordinate string (input)
+ * Zone : UTM Zone (output)
+ * Letters : USNG coordinate string letters (output)
+ * Easting : Easting value (output)
+ * Northing : Northing value (output)
+ * Precision : Precision level of USNG string (output)
+ */
+{ /* Break_USNG_String */
+ long num_digits;
+ long num_letters;
+ long i = 0;
+ long j = 0;
+ long error_code = USNG_NO_ERROR;
+
+ while (USNG[i] == ' ')
+ i++; /* skip any leading blanks */
+ j = i;
+ while (isdigit(USNG[i]))
+ i++;
+ num_digits = i - j;
+ if (num_digits <= 2)
+ if (num_digits > 0)
+ {
+ char zone_string[3];
+ /* get zone */
+ strncpy (zone_string, USNG+j, 2);
+ zone_string[2] = 0;
+ sscanf (zone_string, "%ld", Zone);
+ if ((*Zone < 1) || (*Zone > 60))
+ error_code |= USNG_STRING_ERROR;
+ }
+ else
+ *Zone = 0;
+ else
+ error_code |= USNG_STRING_ERROR;
+ j = i;
+
+ while (isalpha(USNG[i]))
+ i++;
+ num_letters = i - j;
+ if (num_letters == 3)
+ {
+ /* get letters */
+ Letters[0] = (toupper(USNG[j]) - (long)'A');
+ if ((Letters[0] == LETTER_I) || (Letters[0] == LETTER_O))
+ error_code |= USNG_STRING_ERROR;
+ Letters[1] = (toupper(USNG[j+1]) - (long)'A');
+ if ((Letters[1] == LETTER_I) || (Letters[1] == LETTER_O))
+ error_code |= USNG_STRING_ERROR;
+ Letters[2] = (toupper(USNG[j+2]) - (long)'A');
+ if ((Letters[2] == LETTER_I) || (Letters[2] == LETTER_O))
+ error_code |= USNG_STRING_ERROR;
+ }
+ else
+ error_code |= USNG_STRING_ERROR;
+ j = i;
+ while (isdigit(USNG[i]))
+ i++;
+ num_digits = i - j;
+ if ((num_digits <= 10) && (num_digits%2 == 0))
+ {
+ long n;
+ char east_string[6];
+ char north_string[6];
+ long east;
+ long north;
+ double multiplier;
+ /* get easting & northing */
+ n = num_digits/2;
+ *Precision = n;
+ if (n > 0)
+ {
+ strncpy (east_string, USNG+j, n);
+ east_string[n] = 0;
+ sscanf (east_string, "%ld", &east);
+ strncpy (north_string, USNG+j+n, n);
+ north_string[n] = 0;
+ sscanf (north_string, "%ld", &north);
+ multiplier = pow (10.0, 5 - n);
+ *Easting = east * multiplier;
+ *Northing = north * multiplier;
+ }
+ else
+ {
+ *Easting = 0.0;
+ *Northing = 0.0;
+ }
+ }
+ else
+ error_code |= USNG_STRING_ERROR;
+
+ return (error_code);
+} /* Break_USNG_String */
+
+
+void USNG_Get_Grid_Values (long zone,
+ long* ltr2_low_value,
+ long* ltr2_high_value,
+ double *pattern_offset)
+/*
+ * The function USNG_Get_Grid_Values sets the letter range used for
+ * the 2nd letter in the USNG coordinate string, based on the set
+ * number of the utm zone. It also sets the pattern offset using a
+ * value of A for the second letter of the grid square, based on
+ * the grid pattern and set number of the utm zone.
+ *
+ * zone : Zone number (input)
+ * ltr2_low_value : 2nd letter low number (output)
+ * ltr2_high_value : 2nd letter high number (output)
+ * pattern_offset : Pattern offset (output)
+ */
+{ /* BEGIN USNG_Get_Grid_Values */
+ long set_number; /* Set number (1-6) based on UTM zone number */
+
+ set_number = zone % 6;
+
+ if (!set_number)
+ set_number = 6;
+
+ if ((set_number == 1) || (set_number == 4))
+ {
+ *ltr2_low_value = LETTER_A;
+ *ltr2_high_value = LETTER_H;
+ }
+ else if ((set_number == 2) || (set_number == 5))
+ {
+ *ltr2_low_value = LETTER_J;
+ *ltr2_high_value = LETTER_R;
+ }
+ else if ((set_number == 3) || (set_number == 6))
+ {
+ *ltr2_low_value = LETTER_S;
+ *ltr2_high_value = LETTER_Z;
+ }
+
+ /* False northing at A for second letter of grid square */
+ if ((set_number % 2) == 0)
+ *pattern_offset = 500000.0;
+ else
+ *pattern_offset = 0.0;
+
+} /* END OF USNG_Get_Grid_Values */
+
+
+long UTM_To_USNG (long Zone,
+ double Latitude,
+ double Easting,
+ double Northing,
+ long Precision,
+ char *USNG)
+/*
+ * The function UTM_To_USNG calculates a USNG coordinate string
+ * based on the zone, latitude, easting and northing.
+ *
+ * Zone : Zone number (input)
+ * Latitude : Latitude in radians (input)
+ * Easting : Easting (input)
+ * Northing : Northing (input)
+ * Precision : Precision (input)
+ * USNG : USNG coordinate string (output)
+ */
+{ /* BEGIN UTM_To_USNG */
+ double pattern_offset; /* Pattern offset for 3rd letter */
+ double grid_northing; /* Northing used to derive 3rd letter of USNG */
+ long ltr2_low_value; /* 2nd letter range - low number */
+ long ltr2_high_value; /* 2nd letter range - high number */
+ int letters[USNG_LETTERS]; /* Number location of 3 letters in alphabet */
+ double divisor;
+ long error_code = USNG_NO_ERROR;
+
+ /* Round easting and northing values */
+ divisor = pow (10.0, (5 - Precision));
+ Easting = (long)(Easting/divisor) * divisor;
+ Northing = (long)(Northing/divisor) * divisor;
+
+ if( Latitude <= 0.0 && Northing == 1.0e7)
+ {
+ Latitude = 0.0;
+ Northing = 0.0;
+ }
+
+ ltr2_low_value = LETTER_A; // Make compiler shut up about possibly uninitialized value.
+ // It should be set by the following but compiler doesn't know.
+
+ USNG_Get_Grid_Values(Zone, <r2_low_value, <r2_high_value, &pattern_offset);
+
+ error_code = USNG_Get_Latitude_Letter(Latitude, &letters[0]);
+
+ if (!error_code)
+ {
+ grid_northing = Northing;
+
+ while (grid_northing >= TWOMIL)
+ {
+ grid_northing = grid_northing - TWOMIL;
+ }
+ grid_northing = grid_northing + pattern_offset;
+ if(grid_northing >= TWOMIL)
+ grid_northing = grid_northing - TWOMIL;
+
+ letters[2] = (long)(grid_northing / ONEHT);
+ if (letters[2] > LETTER_H)
+ letters[2] = letters[2] + 1;
+
+ if (letters[2] > LETTER_N)
+ letters[2] = letters[2] + 1;
+
+ letters[1] = ltr2_low_value + ((long)(Easting / ONEHT) -1);
+ if ((ltr2_low_value == LETTER_J) && (letters[1] > LETTER_N))
+ letters[1] = letters[1] + 1;
+
+ Make_USNG_String (USNG, Zone, letters, Easting, Northing, Precision);
+ }
+ return error_code;
+} /* END UTM_To_USNG */
+
+
+long Set_USNG_Parameters (double a,
+ double f,
+ char *Ellipsoid_Code)
+/*
+ * The function SET_USNG_PARAMETERS receives the ellipsoid parameters and sets
+ * the corresponding state variables. If any errors occur, the error code(s)
+ * are returned by the function, otherwise USNG_NO_ERROR is returned.
+ *
+ * a : Semi-major axis of ellipsoid in meters (input)
+ * f : Flattening of ellipsoid (input)
+ * Ellipsoid_Code : 2-letter code for ellipsoid (input)
+ */
+{ /* Set_USNG_Parameters */
+
+ double inv_f = 1 / f;
+ long Error_Code = USNG_NO_ERROR;
+
+ if (a <= 0.0)
+ { /* Semi-major axis must be greater than zero */
+ Error_Code |= USNG_A_ERROR;
+ }
+ if ((inv_f < 250) || (inv_f > 350))
+ { /* Inverse flattening must be between 250 and 350 */
+ Error_Code |= USNG_INV_F_ERROR;
+ }
+ if (!Error_Code)
+ { /* no errors */
+ USNG_a = a;
+ USNG_f = f;
+ USNG_recpf = inv_f;
+ strcpy (USNG_Ellipsoid_Code, Ellipsoid_Code);
+ }
+ return (Error_Code);
+} /* Set_USNG_Parameters */
+
+
+void Get_USNG_Parameters (double *a,
+ double *f,
+ char* Ellipsoid_Code)
+/*
+ * The function Get_USNG_Parameters returns the current ellipsoid
+ * parameters.
+ *
+ * a : Semi-major axis of ellipsoid, in meters (output)
+ * f : Flattening of ellipsoid (output)
+ * Ellipsoid_Code : 2-letter code for ellipsoid (output)
+ */
+{ /* Get_USNG_Parameters */
+ *a = USNG_a;
+ *f = USNG_f;
+ strcpy (Ellipsoid_Code, USNG_Ellipsoid_Code);
+ return;
+} /* Get_USNG_Parameters */
+
+
+long Convert_Geodetic_To_USNG (double Latitude,
+ double Longitude,
+ long Precision,
+ char* USNG)
+/*
+ * The function Convert_Geodetic_To_USNG converts Geodetic (latitude and
+ * longitude) coordinates to a USNG coordinate string, according to the
+ * current ellipsoid parameters. If any errors occur, the error code(s)
+ * are returned by the function, otherwise USNG_NO_ERROR is returned.
+ *
+ * Latitude : Latitude in radians (input)
+ * Longitude : Longitude in radians (input)
+ * Precision : Precision level of USNG string (input)
+ * USNG : USNG coordinate string (output)
+ *
+ */
+{ /* Convert_Geodetic_To_USNG */
+ long zone;
+ char hemisphere;
+ double easting;
+ double northing;
+ long temp_error_code = USNG_NO_ERROR;
+ long error_code = USNG_NO_ERROR;
+
+ if ((Latitude < -PI_OVER_2) || (Latitude > PI_OVER_2))
+ { /* Latitude out of range */
+ error_code |= USNG_LAT_ERROR;
+ }
+ if ((Longitude < -PI) || (Longitude > (2*PI)))
+ { /* Longitude out of range */
+ error_code |= USNG_LON_ERROR;
+ }
+ if ((Precision < 0) || (Precision > MAX_PRECISION))
+ error_code |= USNG_PRECISION_ERROR;
+ if (!error_code)
+ {
+ if ((Latitude < MIN_UTM_LAT) || (Latitude > MAX_UTM_LAT))
+ {
+ temp_error_code = Set_UPS_Parameters (USNG_a, USNG_f);
+ if(!temp_error_code)
+ {
+ temp_error_code |= Convert_Geodetic_To_UPS (Latitude, Longitude, &hemisphere, &easting, &northing);
+ if(!temp_error_code)
+ error_code |= Convert_UPS_To_USNG (hemisphere, easting, northing, Precision, USNG);
+ else
+ {
+ if(temp_error_code & UPS_LAT_ERROR)
+ error_code |= USNG_LAT_ERROR;
+ if(temp_error_code & UPS_LON_ERROR)
+ error_code |= USNG_LON_ERROR;
+ }
+ }
+ else
+ {
+ if(temp_error_code & UPS_A_ERROR)
+ error_code |= USNG_A_ERROR;
+ if(temp_error_code & UPS_INV_F_ERROR)
+ error_code |= USNG_INV_F_ERROR;
+ }
+ }
+ else
+ {
+ temp_error_code = Set_UTM_Parameters (USNG_a, USNG_f, 0);
+ if(!temp_error_code)
+ {
+ temp_error_code |= Convert_Geodetic_To_UTM (Latitude, Longitude, &zone, &hemisphere, &easting, &northing);
+ if(!temp_error_code)
+ error_code |= UTM_To_USNG (zone, Latitude, easting, northing, Precision, USNG);
+ else
+ {
+ if(temp_error_code & UTM_LAT_ERROR)
+ error_code |= USNG_LAT_ERROR;
+ if(temp_error_code & UTM_LON_ERROR)
+ error_code |= USNG_LON_ERROR;
+ if(temp_error_code & UTM_ZONE_OVERRIDE_ERROR)
+ error_code |= USNG_ZONE_ERROR;
+ if(temp_error_code & UTM_EASTING_ERROR)
+ error_code |= USNG_EASTING_ERROR;
+ if(temp_error_code & UTM_NORTHING_ERROR)
+ error_code |= USNG_NORTHING_ERROR;
+ }
+ }
+ else
+ {
+ if(temp_error_code & UTM_A_ERROR)
+ error_code |= USNG_A_ERROR;
+ if(temp_error_code & UTM_INV_F_ERROR)
+ error_code |= USNG_INV_F_ERROR;
+ if(temp_error_code & UTM_ZONE_OVERRIDE_ERROR)
+ error_code |= USNG_ZONE_ERROR;
+ }
+ }
+ }
+ return (error_code);
+} /* Convert_Geodetic_To_USNG */
+
+
+long Convert_USNG_To_Geodetic (char* USNG,
+ double *Latitude,
+ double *Longitude)
+/*
+ * The function Convert_USNG_To_Geodetic converts a USNG coordinate string
+ * to Geodetic (latitude and longitude) coordinates
+ * according to the current ellipsoid parameters. If any errors occur,
+ * the error code(s) are returned by the function, otherwise UTM_NO_ERROR
+ * is returned.
+ *
+ * USNG : USNG coordinate string (input)
+ * Latitude : Latitude in radians (output)
+ * Longitude : Longitude in radians (output)
+ *
+ */
+{ /* Convert_USNG_To_Geodetic */
+ long zone;
+ char hemisphere = '?';
+ double easting;
+ double northing;
+ long zone_exists;
+ long temp_error_code = USNG_NO_ERROR;
+ long error_code = USNG_NO_ERROR;
+
+ error_code = USNG_Check_Zone(USNG, &zone_exists);
+ if (!error_code)
+ {
+ if (zone_exists)
+ {
+ error_code |= Convert_USNG_To_UTM (USNG, &zone, &hemisphere, &easting, &northing);
+ if(!error_code || (error_code & USNG_LAT_WARNING))
+ {
+ temp_error_code = Set_UTM_Parameters (USNG_a, USNG_f, 0);
+ if(!temp_error_code)
+ {
+ temp_error_code |= Convert_UTM_To_Geodetic (zone, hemisphere, easting, northing, Latitude, Longitude);
+ if(temp_error_code)
+ {
+ if((temp_error_code & UTM_ZONE_ERROR) || (temp_error_code & UTM_HEMISPHERE_ERROR))
+ error_code |= USNG_STRING_ERROR;
+ if(temp_error_code & UTM_EASTING_ERROR)
+ error_code |= USNG_EASTING_ERROR;
+ if(temp_error_code & UTM_NORTHING_ERROR)
+ error_code |= USNG_NORTHING_ERROR;
+ }
+ }
+ else
+ {
+ if(temp_error_code & UTM_A_ERROR)
+ error_code |= USNG_A_ERROR;
+ if(temp_error_code & UTM_INV_F_ERROR)
+ error_code |= USNG_INV_F_ERROR;
+ if(temp_error_code & UTM_ZONE_OVERRIDE_ERROR)
+ error_code |= USNG_ZONE_ERROR;
+ }
+ }
+ }
+ else
+ {
+ error_code |= Convert_USNG_To_UPS (USNG, &hemisphere, &easting, &northing);
+ if(!error_code)
+ {
+ temp_error_code = Set_UPS_Parameters (USNG_a, USNG_f);
+ if(!temp_error_code)
+ {
+ temp_error_code |= Convert_UPS_To_Geodetic (hemisphere, easting, northing, Latitude, Longitude);
+ if(temp_error_code)
+ {
+ if(temp_error_code & UPS_HEMISPHERE_ERROR)
+ error_code |= USNG_STRING_ERROR;
+ if(temp_error_code & UPS_EASTING_ERROR)
+ error_code |= USNG_EASTING_ERROR;
+ if(temp_error_code & UPS_LAT_ERROR)
+ error_code |= USNG_NORTHING_ERROR;
+ }
+ }
+ else
+ {
+ if(temp_error_code & UPS_A_ERROR)
+ error_code |= USNG_A_ERROR;
+ if(temp_error_code & UPS_INV_F_ERROR)
+ error_code |= USNG_INV_F_ERROR;
+ }
+ }
+ }
+ }
+ return (error_code);
+} /* END OF Convert_USNG_To_Geodetic */
+
+
+long Convert_UTM_To_USNG (long Zone,
+ char Hemisphere,
+ double Easting,
+ double Northing,
+ long Precision,
+ char* USNG)
+/*
+ * The function Convert_UTM_To_USNG converts UTM (zone, easting, and
+ * northing) coordinates to a USNG coordinate string, according to the
+ * current ellipsoid parameters. If any errors occur, the error code(s)
+ * are returned by the function, otherwise USNG_NO_ERROR is returned.
+ *
+ * Zone : UTM zone (input)
+ * Hemisphere : North or South hemisphere (input)
+ * Easting : Easting (X) in meters (input)
+ * Northing : Northing (Y) in meters (input)
+ * Precision : Precision level of USNG string (input)
+ * USNG : USNG coordinate string (output)
+ */
+{ /* Convert_UTM_To_USNG */
+ double latitude; /* Latitude of UTM point */
+ double longitude; /* Longitude of UTM point */
+ long utm_error_code = USNG_NO_ERROR;
+ long error_code = USNG_NO_ERROR;
+
+ if ((Zone < 1) || (Zone > 60))
+ error_code |= USNG_ZONE_ERROR;
+ if ((Hemisphere != 'S') && (Hemisphere != 'N'))
+ error_code |= USNG_HEMISPHERE_ERROR;
+ if ((Easting < MIN_EASTING) || (Easting > MAX_EASTING))
+ error_code |= USNG_EASTING_ERROR;
+ if ((Northing < MIN_NORTHING) || (Northing > MAX_NORTHING))
+ error_code |= USNG_NORTHING_ERROR;
+ if ((Precision < 0) || (Precision > MAX_PRECISION))
+ error_code |= USNG_PRECISION_ERROR;
+ if (!error_code)
+ {
+ Set_UTM_Parameters (USNG_a, USNG_f, 0);
+ utm_error_code = Convert_UTM_To_Geodetic (Zone, Hemisphere, Easting, Northing, &latitude, &longitude);
+
+ if(utm_error_code)
+ {
+ if((utm_error_code & UTM_ZONE_ERROR) || (utm_error_code & UTM_HEMISPHERE_ERROR))
+ error_code |= USNG_STRING_ERROR;
+ if(utm_error_code & UTM_EASTING_ERROR)
+ error_code |= USNG_EASTING_ERROR;
+ if(utm_error_code & UTM_NORTHING_ERROR)
+ error_code |= USNG_NORTHING_ERROR;
+ }
+
+ error_code |= UTM_To_USNG (Zone, latitude, Easting, Northing, Precision, USNG);
+ }
+ return (error_code);
+} /* Convert_UTM_To_USNG */
+
+
+long Convert_USNG_To_UTM (char *USNG,
+ long *Zone,
+ char *Hemisphere,
+ double *Easting,
+ double *Northing)
+/*
+ * The function Convert_USNG_To_UTM converts a USNG coordinate string
+ * to UTM projection (zone, hemisphere, easting and northing) coordinates
+ * according to the current ellipsoid parameters. If any errors occur,
+ * the error code(s) are returned by the function, otherwise UTM_NO_ERROR
+ * is returned.
+ *
+ * USNG : USNG coordinate string (input)
+ * Zone : UTM zone (output)
+ * Hemisphere : North or South hemisphere (output)
+ * Easting : Easting (X) in meters (output)
+ * Northing : Northing (Y) in meters (output)
+ */
+{ /* Convert_USNG_To_UTM */
+ double min_northing;
+ double northing_offset;
+ long ltr2_low_value;
+ long ltr2_high_value;
+ double pattern_offset;
+ double upper_lat_limit; /* North latitude limits based on 1st letter */
+ double lower_lat_limit; /* South latitude limits based on 1st letter */
+ double grid_easting; /* Easting for 100,000 meter grid square */
+ double grid_northing; /* Northing for 100,000 meter grid square */
+ long letters[USNG_LETTERS];
+ long in_precision;
+ double latitude = 0.0;
+ double longitude = 0.0;
+ double divisor = 1.0;
+ long utm_error_code = USNG_NO_ERROR;
+ long error_code = USNG_NO_ERROR;
+
+ error_code = Break_USNG_String (USNG, Zone, letters, Easting, Northing, &in_precision);
+ if (!*Zone)
+ error_code |= USNG_STRING_ERROR;
+ else
+ {
+ if (!error_code)
+ {
+ if ((letters[0] == LETTER_X) && ((*Zone == 32) || (*Zone == 34) || (*Zone == 36)))
+ error_code |= USNG_STRING_ERROR;
+ else
+ {
+ if (letters[0] < LETTER_N)
+ *Hemisphere = 'S';
+ else
+ *Hemisphere = 'N';
+
+ ltr2_low_value = LETTER_A; // Make compiler shut up about possibly uninitialized values.
+ ltr2_high_value = LETTER_Z; // They should be set by the following but compiler doesn't know.
+
+ USNG_Get_Grid_Values(*Zone, <r2_low_value, <r2_high_value, &pattern_offset);
+
+ /* Check that the second letter of the USNG string is within
+ * the range of valid second letter values
+ * Also check that the third letter is valid */
+ if ((letters[1] < ltr2_low_value) || (letters[1] > ltr2_high_value) || (letters[2] > LETTER_V))
+ error_code |= USNG_STRING_ERROR;
+
+ if (!error_code)
+ {
+ double row_letter_northing = (double)(letters[2]) * ONEHT;
+ grid_easting = (double)((letters[1]) - ltr2_low_value + 1) * ONEHT;
+ if ((ltr2_low_value == LETTER_J) && (letters[1] > LETTER_O))
+ grid_easting = grid_easting - ONEHT;
+
+ if (letters[2] > LETTER_O)
+ row_letter_northing = row_letter_northing - ONEHT;
+
+ if (letters[2] > LETTER_I)
+ row_letter_northing = row_letter_northing - ONEHT;
+
+ if (row_letter_northing >= TWOMIL)
+ row_letter_northing = row_letter_northing - TWOMIL;
+
+ error_code = USNG_Get_Latitude_Band_Min_Northing(letters[0], &min_northing, &northing_offset);
+ if (!error_code)
+ {
+ grid_northing = row_letter_northing - pattern_offset;
+ if(grid_northing < 0)
+ grid_northing += TWOMIL;
+
+ grid_northing += northing_offset;
+
+ if(grid_northing < min_northing)
+ grid_northing += TWOMIL;
+
+ *Easting = grid_easting + *Easting;
+ *Northing = grid_northing + *Northing;
+
+ /* check that point is within Zone Letter bounds */
+ utm_error_code = Set_UTM_Parameters(USNG_a, USNG_f, 0);
+ if (!utm_error_code)
+ {
+ utm_error_code = Convert_UTM_To_Geodetic(*Zone,*Hemisphere,*Easting,*Northing,&latitude,&longitude);
+ if (!utm_error_code)
+ {
+ divisor = pow (10.0, in_precision);
+ error_code = USNG_Get_Latitude_Range(letters[0], &upper_lat_limit, &lower_lat_limit);
+ if (!error_code)
+ {
+ if (!(((lower_lat_limit - DEG_TO_RAD/divisor) <= latitude) && (latitude <= (upper_lat_limit + DEG_TO_RAD/divisor))))
+ error_code |= USNG_LAT_ERROR;
+ }
+ }
+ else
+ {
+ if((utm_error_code & UTM_ZONE_ERROR) || (utm_error_code & UTM_HEMISPHERE_ERROR))
+ error_code |= USNG_STRING_ERROR;
+ if(utm_error_code & UTM_EASTING_ERROR)
+ error_code |= USNG_EASTING_ERROR;
+ if(utm_error_code & UTM_NORTHING_ERROR)
+ error_code |= USNG_NORTHING_ERROR;
+ }
+ }
+ else
+ {
+ if(utm_error_code & UTM_A_ERROR)
+ error_code |= USNG_A_ERROR;
+ if(utm_error_code & UTM_INV_F_ERROR)
+ error_code |= USNG_INV_F_ERROR;
+ if(utm_error_code & UTM_ZONE_OVERRIDE_ERROR)
+ error_code |= USNG_ZONE_ERROR;
+ }
+ }
+ }
+ }
+ }
+ }
+ return (error_code);
+} /* Convert_USNG_To_UTM */
+
+
+long Convert_UPS_To_USNG (char Hemisphere,
+ double Easting,
+ double Northing,
+ long Precision,
+ char* USNG)
+/*
+ * The function Convert_UPS_To_USNG converts UPS (hemisphere, easting,
+ * and northing) coordinates to a USNG coordinate string according to
+ * the current ellipsoid parameters. If any errors occur, the error
+ * code(s) are returned by the function, otherwise UPS_NO_ERROR is
+ * returned.
+ *
+ * Hemisphere : Hemisphere either 'N' or 'S' (input)
+ * Easting : Easting/X in meters (input)
+ * Northing : Northing/Y in meters (input)
+ * Precision : Precision level of USNG string (input)
+ * USNG : USNG coordinate string (output)
+ */
+{ /* Convert_UPS_To_USNG */
+ double false_easting; /* False easting for 2nd letter */
+ double false_northing; /* False northing for 3rd letter */
+ double grid_easting; /* Easting used to derive 2nd letter of USNG */
+ double grid_northing; /* Northing used to derive 3rd letter of USNG */
+ long ltr2_low_value; /* 2nd letter range - low number */
+ int letters[USNG_LETTERS]; /* Number location of 3 letters in alphabet */
+ double divisor;
+ int index = 0;
+ long error_code = USNG_NO_ERROR;
+
+ if ((Hemisphere != 'N') && (Hemisphere != 'S'))
+ error_code |= USNG_HEMISPHERE_ERROR;
+ if ((Easting < MIN_EAST_NORTH) || (Easting > MAX_EAST_NORTH))
+ error_code |= USNG_EASTING_ERROR;
+ if ((Northing < MIN_EAST_NORTH) || (Northing > MAX_EAST_NORTH))
+ error_code |= USNG_NORTHING_ERROR;
+ if ((Precision < 0) || (Precision > MAX_PRECISION))
+ error_code |= USNG_PRECISION_ERROR;
+ if (!error_code)
+ {
+ divisor = pow (10.0, (5 - Precision));
+ Easting = (long)(Easting/divisor + 1.0e-9) * divisor;
+ Northing = (long)(Northing/divisor) * divisor;
+
+ if (Hemisphere == 'N')
+ {
+ if (Easting >= TWOMIL)
+ letters[0] = LETTER_Z;
+ else
+ letters[0] = LETTER_Y;
+
+ index = letters[0] - 22;
+ ltr2_low_value = UPS_Constant_Table[index].ltr2_low_value;
+ false_easting = UPS_Constant_Table[index].false_easting;
+ false_northing = UPS_Constant_Table[index].false_northing;
+ }
+ else
+ {
+ if (Easting >= TWOMIL)
+ letters[0] = LETTER_B;
+ else
+ letters[0] = LETTER_A;
+
+ ltr2_low_value = UPS_Constant_Table[letters[0]].ltr2_low_value;
+ false_easting = UPS_Constant_Table[letters[0]].false_easting;
+ false_northing = UPS_Constant_Table[letters[0]].false_northing;
+ }
+
+ grid_northing = Northing;
+ grid_northing = grid_northing - false_northing;
+ letters[2] = (long)(grid_northing / ONEHT);
+
+ if (letters[2] > LETTER_H)
+ letters[2] = letters[2] + 1;
+
+ if (letters[2] > LETTER_N)
+ letters[2] = letters[2] + 1;
+
+ grid_easting = Easting;
+ grid_easting = grid_easting - false_easting;
+ letters[1] = ltr2_low_value + ((long)(grid_easting / ONEHT));
+
+ if (Easting < TWOMIL)
+ {
+ if (letters[1] > LETTER_L)
+ letters[1] = letters[1] + 3;
+
+ if (letters[1] > LETTER_U)
+ letters[1] = letters[1] + 2;
+ }
+ else
+ {
+ if (letters[1] > LETTER_C)
+ letters[1] = letters[1] + 2;
+
+ if (letters[1] > LETTER_H)
+ letters[1] = letters[1] + 1;
+
+ if (letters[1] > LETTER_L)
+ letters[1] = letters[1] + 3;
+ }
+
+ Make_USNG_String (USNG, 0, letters, Easting, Northing, Precision);
+ }
+ return (error_code);
+} /* Convert_UPS_To_USNG */
+
+
+long Convert_USNG_To_UPS ( char *USNG,
+ char *Hemisphere,
+ double *Easting,
+ double *Northing)
+/*
+ * The function Convert_USNG_To_UPS converts a USNG coordinate string
+ * to UPS (hemisphere, easting, and northing) coordinates, according
+ * to the current ellipsoid parameters. If any errors occur, the error
+ * code(s) are returned by the function, otherwide UPS_NO_ERROR is returned.
+ *
+ * USNG : USNG coordinate string (input)
+ * Hemisphere : Hemisphere either 'N' or 'S' (output)
+ * Easting : Easting/X in meters (output)
+ * Northing : Northing/Y in meters (output)
+ */
+{ /* Convert_USNG_To_UPS */
+ long ltr2_high_value; /* 2nd letter range - high number */
+ long ltr3_high_value; /* 3rd letter range - high number (UPS) */
+ long ltr2_low_value; /* 2nd letter range - low number */
+ double false_easting; /* False easting for 2nd letter */
+ double false_northing; /* False northing for 3rd letter */
+ double grid_easting; /* easting for 100,000 meter grid square */
+ double grid_northing; /* northing for 100,000 meter grid square */
+ long zone = 0;
+ long letters[USNG_LETTERS];
+ long in_precision = 0;
+ int index = 0;
+ long error_code = USNG_NO_ERROR;
+
+ error_code = Break_USNG_String (USNG, &zone, letters, Easting, Northing, &in_precision);
+ if (zone)
+ error_code |= USNG_STRING_ERROR;
+ else
+ {
+ if (!error_code)
+ {
+ if (letters[0] >= LETTER_Y)
+ {
+ *Hemisphere = 'N';
+
+ index = letters[0] - 22;
+ ltr2_low_value = UPS_Constant_Table[index].ltr2_low_value;
+ ltr2_high_value = UPS_Constant_Table[index].ltr2_high_value;
+ ltr3_high_value = UPS_Constant_Table[index].ltr3_high_value;
+ false_easting = UPS_Constant_Table[index].false_easting;
+ false_northing = UPS_Constant_Table[index].false_northing;
+ }
+ else
+ {
+ *Hemisphere = 'S';
+
+ ltr2_low_value = UPS_Constant_Table[letters[0]].ltr2_low_value;
+ ltr2_high_value = UPS_Constant_Table[letters[0]].ltr2_high_value;
+ ltr3_high_value = UPS_Constant_Table[letters[0]].ltr3_high_value;
+ false_easting = UPS_Constant_Table[letters[0]].false_easting;
+ false_northing = UPS_Constant_Table[letters[0]].false_northing;
+ }
+
+ /* Check that the second letter of the USNG string is within
+ * the range of valid second letter values
+ * Also check that the third letter is valid */
+ if ((letters[1] < ltr2_low_value) || (letters[1] > ltr2_high_value) ||
+ ((letters[1] == LETTER_D) || (letters[1] == LETTER_E) ||
+ (letters[1] == LETTER_M) || (letters[1] == LETTER_N) ||
+ (letters[1] == LETTER_V) || (letters[1] == LETTER_W)) ||
+ (letters[2] > ltr3_high_value))
+ error_code = USNG_STRING_ERROR;
+
+ if (!error_code)
+ {
+ grid_northing = (double)letters[2] * ONEHT + false_northing;
+ if (letters[2] > LETTER_I)
+ grid_northing = grid_northing - ONEHT;
+
+ if (letters[2] > LETTER_O)
+ grid_northing = grid_northing - ONEHT;
+
+ grid_easting = (double)((letters[1]) - ltr2_low_value) * ONEHT + false_easting;
+ if (ltr2_low_value != LETTER_A)
+ {
+ if (letters[1] > LETTER_L)
+ grid_easting = grid_easting - 300000.0;
+
+ if (letters[1] > LETTER_U)
+ grid_easting = grid_easting - 200000.0;
+ }
+ else
+ {
+ if (letters[1] > LETTER_C)
+ grid_easting = grid_easting - 200000.0;
+
+ if (letters[1] > LETTER_I)
+ grid_easting = grid_easting - ONEHT;
+
+ if (letters[1] > LETTER_L)
+ grid_easting = grid_easting - 300000.0;
+ }
+
+ *Easting = grid_easting + *Easting;
+ *Northing = grid_northing + *Northing;
+ }
+ }
+ }
+ return (error_code);
+} /* Convert_USNG_To_UPS */
diff --git a/external/geotranz/usng.h b/external/geotranz/usng.h
new file mode 100644
index 00000000..456cb379
--- /dev/null
+++ b/external/geotranz/usng.h
@@ -0,0 +1,252 @@
+#ifndef USNG_H
+ #define USNG_H
+
+/***************************************************************************/
+/* RSC IDENTIFIER: USNG
+ *
+ * ABSTRACT
+ *
+ * This component converts between geodetic coordinates (latitude and
+ * longitude) and United States National Grid (USNG) coordinates.
+ *
+ * ERROR HANDLING
+ *
+ * This component checks parameters for valid values. If an invalid value
+ * is found, the error code is combined with the current error code using
+ * the bitwise or. This combining allows multiple error codes to be
+ * returned. The possible error codes are:
+ *
+ * USNG_NO_ERROR : No errors occurred in function
+ * USNG_LAT_ERROR : Latitude outside of valid range
+ * (-90 to 90 degrees)
+ * USNG_LON_ERROR : Longitude outside of valid range
+ * (-180 to 360 degrees)
+ * USNG_STR_ERROR : An USNG string error: string too long,
+ * too short, or badly formed
+ * USNG_PRECISION_ERROR : The precision must be between 0 and 5
+ * inclusive.
+ * USNG_A_ERROR : Semi-major axis less than or equal to zero
+ * USNG_INV_F_ERROR : Inverse flattening outside of valid range
+ * (250 to 350)
+ * USNG_EASTING_ERROR : Easting outside of valid range
+ * (100,000 to 900,000 meters for UTM)
+ * (0 to 4,000,000 meters for UPS)
+ * USNG_NORTHING_ERROR : Northing outside of valid range
+ * (0 to 10,000,000 meters for UTM)
+ * (0 to 4,000,000 meters for UPS)
+ * USNG_ZONE_ERROR : Zone outside of valid range (1 to 60)
+ * USNG_HEMISPHERE_ERROR : Invalid hemisphere ('N' or 'S')
+ *
+ * REUSE NOTES
+ *
+ * USNG is intended for reuse by any application that does conversions
+ * between geodetic coordinates and USNG coordinates.
+ *
+ * REFERENCES
+ *
+ * Further information on USNG can be found in the Reuse Manual.
+ *
+ * USNG originated from : Federal Geographic Data Committee
+ * 590 National Center
+ * 12201 Sunrise Valley Drive
+ * Reston, VA 22092
+ *
+ * LICENSES
+ *
+ * None apply to this component.
+ *
+ * RESTRICTIONS
+ *
+ *
+ * ENVIRONMENT
+ *
+ * USNG was tested and certified in the following environments:
+ *
+ * 1. Solaris 2.5 with GCC version 2.8.1
+ * 2. Windows 95 with MS Visual C++ version 6
+ *
+ * MODIFICATIONS
+ *
+ * Date Description
+ * ---- -----------
+ * 06-05-06 Original Code (cloned from MGRS)
+ *
+ */
+
+
+/***************************************************************************/
+/*
+ * DEFINES
+ */
+
+ #define USNG_NO_ERROR 0x0000
+ #define USNG_LAT_ERROR 0x0001
+ #define USNG_LON_ERROR 0x0002
+ #define USNG_STRING_ERROR 0x0004
+ #define USNG_PRECISION_ERROR 0x0008
+ #define USNG_A_ERROR 0x0010
+ #define USNG_INV_F_ERROR 0x0020
+ #define USNG_EASTING_ERROR 0x0040
+ #define USNG_NORTHING_ERROR 0x0080
+ #define USNG_ZONE_ERROR 0x0100
+ #define USNG_HEMISPHERE_ERROR 0x0200
+ #define USNG_LAT_WARNING 0x0400
+
+
+/***************************************************************************/
+/*
+ * FUNCTION PROTOTYPES
+ */
+
+/* ensure proper linkage to c++ programs */
+ #ifdef __cplusplus
+extern "C" {
+ #endif
+
+
+ long Set_USNG_Parameters(double a,
+ double f,
+ char *Ellipsoid_Code);
+/*
+ * The function Set_USNG_Parameters receives the ellipsoid parameters and sets
+ * the corresponding state variables. If any errors occur, the error code(s)
+ * are returned by the function, otherwise USNG_NO_ERROR is returned.
+ *
+ * a : Semi-major axis of ellipsoid in meters (input)
+ * f : Flattening of ellipsoid (input)
+ * Ellipsoid_Code : 2-letter code for ellipsoid (input)
+ */
+
+
+ void Get_USNG_Parameters(double *a,
+ double *f,
+ char *Ellipsoid_Code);
+/*
+ * The function Get_USNG_Parameters returns the current ellipsoid
+ * parameters.
+ *
+ * a : Semi-major axis of ellipsoid, in meters (output)
+ * f : Flattening of ellipsoid (output)
+ * Ellipsoid_Code : 2-letter code for ellipsoid (output)
+ */
+
+
+ long Convert_Geodetic_To_USNG (double Latitude,
+ double Longitude,
+ long Precision,
+ char *USNG);
+/*
+ * The function Convert_Geodetic_To_USNG converts geodetic (latitude and
+ * longitude) coordinates to a USNG coordinate string, according to the
+ * current ellipsoid parameters. If any errors occur, the error code(s)
+ * are returned by the function, otherwise USNG_NO_ERROR is returned.
+ *
+ * Latitude : Latitude in radians (input)
+ * Longitude : Longitude in radians (input)
+ * Precision : Precision level of USNG string (input)
+ * USNG : USNG coordinate string (output)
+ *
+ */
+
+
+ long Convert_USNG_To_Geodetic (char *USNG,
+ double *Latitude,
+ double *Longitude);
+/*
+ * This function converts a USNG coordinate string to Geodetic (latitude
+ * and longitude in radians) coordinates. If any errors occur, the error
+ * code(s) are returned by the function, otherwise USNG_NO_ERROR is returned.
+ *
+ * USNG : USNG coordinate string (input)
+ * Latitude : Latitude in radians (output)
+ * Longitude : Longitude in radians (output)
+ *
+ */
+
+
+ long Convert_UTM_To_USNG (long Zone,
+ char Hemisphere,
+ double Easting,
+ double Northing,
+ long Precision,
+ char *USNG);
+/*
+ * The function Convert_UTM_To_USNG converts UTM (zone, easting, and
+ * northing) coordinates to a USNG coordinate string, according to the
+ * current ellipsoid parameters. If any errors occur, the error code(s)
+ * are returned by the function, otherwise USNG_NO_ERROR is returned.
+ *
+ * Zone : UTM zone (input)
+ * Hemisphere : North or South hemisphere (input)
+ * Easting : Easting (X) in meters (input)
+ * Northing : Northing (Y) in meters (input)
+ * Precision : Precision level of USNG string (input)
+ * USNG : USNG coordinate string (output)
+ */
+
+
+ long Convert_USNG_To_UTM (char *USNG,
+ long *Zone,
+ char *Hemisphere,
+ double *Easting,
+ double *Northing);
+/*
+ * The function Convert_USNG_To_UTM converts a USNG coordinate string
+ * to UTM projection (zone, hemisphere, easting and northing) coordinates
+ * according to the current ellipsoid parameters. If any errors occur,
+ * the error code(s) are returned by the function, otherwise UTM_NO_ERROR
+ * is returned.
+ *
+ * USNG : USNG coordinate string (input)
+ * Zone : UTM zone (output)
+ * Hemisphere : North or South hemisphere (output)
+ * Easting : Easting (X) in meters (output)
+ * Northing : Northing (Y) in meters (output)
+ */
+
+
+
+ long Convert_UPS_To_USNG ( char Hemisphere,
+ double Easting,
+ double Northing,
+ long Precision,
+ char *USNG);
+
+/*
+ * The function Convert_UPS_To_USNG converts UPS (hemisphere, easting,
+ * and northing) coordinates to a USNG coordinate string according to
+ * the current ellipsoid parameters. If any errors occur, the error
+ * code(s) are returned by the function, otherwise UPS_NO_ERROR is
+ * returned.
+ *
+ * Hemisphere : Hemisphere either 'N' or 'S' (input)
+ * Easting : Easting/X in meters (input)
+ * Northing : Northing/Y in meters (input)
+ * Precision : Precision level of USNG string (input)
+ * USNG : USNG coordinate string (output)
+ */
+
+
+ long Convert_USNG_To_UPS ( char *USNG,
+ char *Hemisphere,
+ double *Easting,
+ double *Northing);
+/*
+ * The function Convert_USNG_To_UPS converts a USNG coordinate string
+ * to UPS (hemisphere, easting, and northing) coordinates, according
+ * to the current ellipsoid parameters. If any errors occur, the error
+ * code(s) are returned by the function, otherwide UPS_NO_ERROR is returned.
+ *
+ * USNG : USNG coordinate string (input)
+ * Hemisphere : Hemisphere either 'N' or 'S' (output)
+ * Easting : Easting/X in meters (output)
+ * Northing : Northing/Y in meters (output)
+ */
+
+
+
+ #ifdef __cplusplus
+}
+ #endif
+
+#endif /* USNG_H */
diff --git a/external/geotranz/utm.c b/external/geotranz/utm.c
new file mode 100644
index 00000000..81c0f464
--- /dev/null
+++ b/external/geotranz/utm.c
@@ -0,0 +1,354 @@
+/***************************************************************************/
+/* RSC IDENTIFIER: UTM
+ *
+ * ABSTRACT
+ *
+ * This component provides conversions between geodetic coordinates
+ * (latitude and longitudes) and Universal Transverse Mercator (UTM)
+ * projection (zone, hemisphere, easting, and northing) coordinates.
+ *
+ * ERROR HANDLING
+ *
+ * This component checks parameters for valid values. If an invalid value
+ * is found, the error code is combined with the current error code using
+ * the bitwise or. This combining allows multiple error codes to be
+ * returned. The possible error codes are:
+ *
+ * UTM_NO_ERROR : No errors occurred in function
+ * UTM_LAT_ERROR : Latitude outside of valid range
+ * (-80.5 to 84.5 degrees)
+ * UTM_LON_ERROR : Longitude outside of valid range
+ * (-180 to 360 degrees)
+ * UTM_EASTING_ERROR : Easting outside of valid range
+ * (100,000 to 900,000 meters)
+ * UTM_NORTHING_ERROR : Northing outside of valid range
+ * (0 to 10,000,000 meters)
+ * UTM_ZONE_ERROR : Zone outside of valid range (1 to 60)
+ * UTM_HEMISPHERE_ERROR : Invalid hemisphere ('N' or 'S')
+ * UTM_ZONE_OVERRIDE_ERROR: Zone outside of valid range
+ * (1 to 60) and within 1 of 'natural' zone
+ * UTM_A_ERROR : Semi-major axis less than or equal to zero
+ * UTM_INV_F_ERROR : Inverse flattening outside of valid range
+ * (250 to 350)
+ *
+ * REUSE NOTES
+ *
+ * UTM is intended for reuse by any application that performs a Universal
+ * Transverse Mercator (UTM) projection or its inverse.
+ *
+ * REFERENCES
+ *
+ * Further information on UTM can be found in the Reuse Manual.
+ *
+ * UTM originated from : U.S. Army Topographic Engineering Center
+ * Geospatial Information Division
+ * 7701 Telegraph Road
+ * Alexandria, VA 22310-3864
+ *
+ * LICENSES
+ *
+ * None apply to this component.
+ *
+ * RESTRICTIONS
+ *
+ * UTM has no restrictions.
+ *
+ * ENVIRONMENT
+ *
+ * UTM was tested and certified in the following environments:
+ *
+ * 1. Solaris 2.5 with GCC, version 2.8.1
+ * 2. MSDOS with MS Visual C++, version 6
+ *
+ * MODIFICATIONS
+ *
+ * Date Description
+ * ---- -----------
+ * 10-02-97 Original Code
+ *
+ */
+
+
+/***************************************************************************/
+/*
+ * INCLUDES
+ */
+#include "tranmerc.h"
+#include "utm.h"
+/*
+ * tranmerc.h - Is used to convert transverse mercator coordinates
+ * utm.h - Defines the function prototypes for the utm module.
+ */
+
+
+/***************************************************************************/
+/*
+ * DEFINES
+ */
+
+#define PI 3.14159265358979323e0 /* PI */
+#define MIN_LAT ( (-80.5 * PI) / 180.0 ) /* -80.5 degrees in radians */
+#define MAX_LAT ( (84.5 * PI) / 180.0 ) /* 84.5 degrees in radians */
+#define MIN_EASTING 100000
+#define MAX_EASTING 900000
+#define MIN_NORTHING 0
+#define MAX_NORTHING 10000000
+
+/***************************************************************************/
+/*
+ * GLOBAL DECLARATIONS
+ */
+
+static double UTM_a = 6378137.0; /* Semi-major axis of ellipsoid in meters */
+static double UTM_f = 1 / 298.257223563; /* Flattening of ellipsoid */
+static long UTM_Override = 0; /* Zone override flag */
+
+
+/***************************************************************************/
+/*
+ * FUNCTIONS
+ *
+ */
+
+long Set_UTM_Parameters(double a,
+ double f,
+ long override)
+{
+/*
+ * The function Set_UTM_Parameters receives the ellipsoid parameters and
+ * UTM zone override parameter as inputs, and sets the corresponding state
+ * variables. If any errors occur, the error code(s) are returned by the
+ * function, otherwise UTM_NO_ERROR is returned.
+ *
+ * a : Semi-major axis of ellipsoid, in meters (input)
+ * f : Flattening of ellipsoid (input)
+ * override : UTM override zone, zero indicates no override (input)
+ */
+
+ double inv_f = 1 / f;
+ long Error_Code = UTM_NO_ERROR;
+
+ if (a <= 0.0)
+ { /* Semi-major axis must be greater than zero */
+ Error_Code |= UTM_A_ERROR;
+ }
+ if ((inv_f < 250) || (inv_f > 350))
+ { /* Inverse flattening must be between 250 and 350 */
+ Error_Code |= UTM_INV_F_ERROR;
+ }
+ if ((override < 0) || (override > 60))
+ {
+ Error_Code |= UTM_ZONE_OVERRIDE_ERROR;
+ }
+ if (!Error_Code)
+ { /* no errors */
+ UTM_a = a;
+ UTM_f = f;
+ UTM_Override = override;
+ }
+ return (Error_Code);
+} /* END OF Set_UTM_Parameters */
+
+
+void Get_UTM_Parameters(double *a,
+ double *f,
+ long *override)
+{
+/*
+ * The function Get_UTM_Parameters returns the current ellipsoid
+ * parameters and UTM zone override parameter.
+ *
+ * a : Semi-major axis of ellipsoid, in meters (output)
+ * f : Flattening of ellipsoid (output)
+ * override : UTM override zone, zero indicates no override (output)
+ */
+
+ *a = UTM_a;
+ *f = UTM_f;
+ *override = UTM_Override;
+} /* END OF Get_UTM_Parameters */
+
+
+long Convert_Geodetic_To_UTM (double Latitude,
+ double Longitude,
+ long *Zone,
+ char *Hemisphere,
+ double *Easting,
+ double *Northing)
+{
+/*
+ * The function Convert_Geodetic_To_UTM converts geodetic (latitude and
+ * longitude) coordinates to UTM projection (zone, hemisphere, easting and
+ * northing) coordinates according to the current ellipsoid and UTM zone
+ * override parameters. If any errors occur, the error code(s) are returned
+ * by the function, otherwise UTM_NO_ERROR is returned.
+ *
+ * Latitude : Latitude in radians (input)
+ * Longitude : Longitude in radians (input)
+ * Zone : UTM zone (output)
+ * Hemisphere : North or South hemisphere (output)
+ * Easting : Easting (X) in meters (output)
+ * Northing : Northing (Y) in meters (output)
+ */
+
+ long Lat_Degrees;
+ long Long_Degrees;
+ long temp_zone;
+ long Error_Code = UTM_NO_ERROR;
+ double Origin_Latitude = 0;
+ double Central_Meridian = 0;
+ double False_Easting = 500000;
+ double False_Northing = 0;
+ double Scale = 0.9996;
+
+ if ((Latitude < MIN_LAT) || (Latitude > MAX_LAT))
+ { /* Latitude out of range */
+ Error_Code |= UTM_LAT_ERROR;
+ }
+ if ((Longitude < -PI) || (Longitude > (2*PI)))
+ { /* Longitude out of range */
+ Error_Code |= UTM_LON_ERROR;
+ }
+ if (!Error_Code)
+ { /* no errors */
+ if((Latitude > -1.0e-9) && (Latitude < 0))
+ Latitude = 0.0;
+ if (Longitude < 0)
+ Longitude += (2*PI) + 1.0e-10;
+
+ Lat_Degrees = (long)(Latitude * 180.0 / PI);
+ Long_Degrees = (long)(Longitude * 180.0 / PI);
+
+ if (Longitude < PI)
+ temp_zone = (long)(31 + ((Longitude * 180.0 / PI) / 6.0));
+ else
+ temp_zone = (long)(((Longitude * 180.0 / PI) / 6.0) - 29);
+
+ if (temp_zone > 60)
+ temp_zone = 1;
+ /* UTM special cases */
+ if ((Lat_Degrees > 55) && (Lat_Degrees < 64) && (Long_Degrees > -1)
+ && (Long_Degrees < 3))
+ temp_zone = 31;
+ if ((Lat_Degrees > 55) && (Lat_Degrees < 64) && (Long_Degrees > 2)
+ && (Long_Degrees < 12))
+ temp_zone = 32;
+ if ((Lat_Degrees > 71) && (Long_Degrees > -1) && (Long_Degrees < 9))
+ temp_zone = 31;
+ if ((Lat_Degrees > 71) && (Long_Degrees > 8) && (Long_Degrees < 21))
+ temp_zone = 33;
+ if ((Lat_Degrees > 71) && (Long_Degrees > 20) && (Long_Degrees < 33))
+ temp_zone = 35;
+ if ((Lat_Degrees > 71) && (Long_Degrees > 32) && (Long_Degrees < 42))
+ temp_zone = 37;
+
+ if (UTM_Override)
+ {
+ if ((temp_zone == 1) && (UTM_Override == 60))
+ temp_zone = UTM_Override;
+ else if ((temp_zone == 60) && (UTM_Override == 1))
+ temp_zone = UTM_Override;
+ else if ((Lat_Degrees > 71) && (Long_Degrees > -1) && (Long_Degrees < 42))
+ {
+ if (((temp_zone-2) <= UTM_Override) && (UTM_Override <= (temp_zone+2)))
+ temp_zone = UTM_Override;
+ else
+ Error_Code = UTM_ZONE_OVERRIDE_ERROR;
+ }
+ else if (((temp_zone-1) <= UTM_Override) && (UTM_Override <= (temp_zone+1)))
+ temp_zone = UTM_Override;
+ else
+ Error_Code = UTM_ZONE_OVERRIDE_ERROR;
+ }
+ if (!Error_Code)
+ {
+ if (temp_zone >= 31)
+ Central_Meridian = (6 * temp_zone - 183) * PI / 180.0;
+ else
+ Central_Meridian = (6 * temp_zone + 177) * PI / 180.0;
+ *Zone = temp_zone;
+ if (Latitude < 0)
+ {
+ False_Northing = 10000000;
+ *Hemisphere = 'S';
+ }
+ else
+ *Hemisphere = 'N';
+ Set_Transverse_Mercator_Parameters(UTM_a, UTM_f, Origin_Latitude,
+ Central_Meridian, False_Easting, False_Northing, Scale);
+ Convert_Geodetic_To_Transverse_Mercator(Latitude, Longitude, Easting,
+ Northing);
+ if ((*Easting < MIN_EASTING) || (*Easting > MAX_EASTING))
+ Error_Code = UTM_EASTING_ERROR;
+ if ((*Northing < MIN_NORTHING) || (*Northing > MAX_NORTHING))
+ Error_Code |= UTM_NORTHING_ERROR;
+ }
+ } /* END OF if (!Error_Code) */
+ return (Error_Code);
+} /* END OF Convert_Geodetic_To_UTM */
+
+
+long Convert_UTM_To_Geodetic(long Zone,
+ char Hemisphere,
+ double Easting,
+ double Northing,
+ double *Latitude,
+ double *Longitude)
+{
+/*
+ * The function Convert_UTM_To_Geodetic converts UTM projection (zone,
+ * hemisphere, easting and northing) coordinates to geodetic(latitude
+ * and longitude) coordinates, according to the current ellipsoid
+ * parameters. If any errors occur, the error code(s) are returned
+ * by the function, otherwise UTM_NO_ERROR is returned.
+ *
+ * Zone : UTM zone (input)
+ * Hemisphere : North or South hemisphere (input)
+ * Easting : Easting (X) in meters (input)
+ * Northing : Northing (Y) in meters (input)
+ * Latitude : Latitude in radians (output)
+ * Longitude : Longitude in radians (output)
+ */
+ long Error_Code = UTM_NO_ERROR;
+ long tm_error_code = UTM_NO_ERROR;
+ double Origin_Latitude = 0;
+ double Central_Meridian = 0;
+ double False_Easting = 500000;
+ double False_Northing = 0;
+ double Scale = 0.9996;
+
+ if ((Zone < 1) || (Zone > 60))
+ Error_Code |= UTM_ZONE_ERROR;
+ if ((Hemisphere != 'S') && (Hemisphere != 'N'))
+ Error_Code |= UTM_HEMISPHERE_ERROR;
+ if ((Easting < MIN_EASTING) || (Easting > MAX_EASTING))
+ Error_Code |= UTM_EASTING_ERROR;
+ if ((Northing < MIN_NORTHING) || (Northing > MAX_NORTHING))
+ Error_Code |= UTM_NORTHING_ERROR;
+ if (!Error_Code)
+ { /* no errors */
+ if (Zone >= 31)
+ Central_Meridian = ((6 * Zone - 183) * PI / 180.0 /*+ 0.00000005*/);
+ else
+ Central_Meridian = ((6 * Zone + 177) * PI / 180.0 /*+ 0.00000005*/);
+ if (Hemisphere == 'S')
+ False_Northing = 10000000;
+ Set_Transverse_Mercator_Parameters(UTM_a, UTM_f, Origin_Latitude,
+ Central_Meridian, False_Easting, False_Northing, Scale);
+
+ tm_error_code = Convert_Transverse_Mercator_To_Geodetic(Easting, Northing, Latitude, Longitude);
+ if(tm_error_code)
+ {
+ if(tm_error_code & TRANMERC_EASTING_ERROR)
+ Error_Code |= UTM_EASTING_ERROR;
+ if(tm_error_code & TRANMERC_NORTHING_ERROR)
+ Error_Code |= UTM_NORTHING_ERROR;
+ }
+
+ if ((*Latitude < MIN_LAT) || (*Latitude > MAX_LAT))
+ { /* Latitude out of range */
+ Error_Code |= UTM_NORTHING_ERROR;
+ }
+ }
+ return (Error_Code);
+} /* END OF Convert_UTM_To_Geodetic */
diff --git a/external/geotranz/utm.h b/external/geotranz/utm.h
new file mode 100644
index 00000000..0b32051b
--- /dev/null
+++ b/external/geotranz/utm.h
@@ -0,0 +1,178 @@
+#ifndef UTM_H
+ #define UTM_H
+
+/***************************************************************************/
+/* RSC IDENTIFIER: UTM
+ *
+ * ABSTRACT
+ *
+ * This component provides conversions between geodetic coordinates
+ * (latitude and longitudes) and Universal Transverse Mercator (UTM)
+ * projection (zone, hemisphere, easting, and northing) coordinates.
+ *
+ * ERROR HANDLING
+ *
+ * This component checks parameters for valid values. If an invalid value
+ * is found, the error code is combined with the current error code using
+ * the bitwise or. This combining allows multiple error codes to be
+ * returned. The possible error codes are:
+ *
+ * UTM_NO_ERROR : No errors occurred in function
+ * UTM_LAT_ERROR : Latitude outside of valid range
+ * (-80.5 to 84.5 degrees)
+ * UTM_LON_ERROR : Longitude outside of valid range
+ * (-180 to 360 degrees)
+ * UTM_EASTING_ERROR : Easting outside of valid range
+ * (100,000 to 900,000 meters)
+ * UTM_NORTHING_ERROR : Northing outside of valid range
+ * (0 to 10,000,000 meters)
+ * UTM_ZONE_ERROR : Zone outside of valid range (1 to 60)
+ * UTM_HEMISPHERE_ERROR : Invalid hemisphere ('N' or 'S')
+ * UTM_ZONE_OVERRIDE_ERROR: Zone outside of valid range
+ * (1 to 60) and within 1 of 'natural' zone
+ * UTM_A_ERROR : Semi-major axis less than or equal to zero
+ * UTM_INV_F_ERROR : Inverse flattening outside of valid range
+ * (250 to 350)
+ *
+ * REUSE NOTES
+ *
+ * UTM is intended for reuse by any application that performs a Universal
+ * Transverse Mercator (UTM) projection or its inverse.
+ *
+ * REFERENCES
+ *
+ * Further information on UTM can be found in the Reuse Manual.
+ *
+ * UTM originated from : U.S. Army Topographic Engineering Center
+ * Geospatial Information Division
+ * 7701 Telegraph Road
+ * Alexandria, VA 22310-3864
+ *
+ * LICENSES
+ *
+ * None apply to this component.
+ *
+ * RESTRICTIONS
+ *
+ * UTM has no restrictions.
+ *
+ * ENVIRONMENT
+ *
+ * UTM was tested and certified in the following environments:
+ *
+ * 1. Solaris 2.5 with GCC, version 2.8.1
+ * 2. MSDOS with MS Visual C++, version 6
+ *
+ * MODIFICATIONS
+ *
+ * Date Description
+ * ---- -----------
+ * 10-02-97 Original Code
+ *
+ */
+
+
+/***************************************************************************/
+/*
+ * DEFINES
+ */
+
+ #define UTM_NO_ERROR 0x0000
+ #define UTM_LAT_ERROR 0x0001
+ #define UTM_LON_ERROR 0x0002
+ #define UTM_EASTING_ERROR 0x0004
+ #define UTM_NORTHING_ERROR 0x0008
+ #define UTM_ZONE_ERROR 0x0010
+ #define UTM_HEMISPHERE_ERROR 0x0020
+ #define UTM_ZONE_OVERRIDE_ERROR 0x0040
+ #define UTM_A_ERROR 0x0080
+ #define UTM_INV_F_ERROR 0x0100
+
+
+/***************************************************************************/
+/*
+ * FUNCTION PROTOTYPES
+ * for UTM.C
+ */
+
+/* ensure proper linkage to c++ programs */
+ #ifdef __cplusplus
+extern "C" {
+ #endif
+
+ long Set_UTM_Parameters(double a,
+ double f,
+ long override);
+/*
+ * The function Set_UTM_Parameters receives the ellipsoid parameters and
+ * UTM zone override parameter as inputs, and sets the corresponding state
+ * variables. If any errors occur, the error code(s) are returned by the
+ * function, otherwise UTM_NO_ERROR is returned.
+ *
+ * a : Semi-major axis of ellipsoid, in meters (input)
+ * f : Flattening of ellipsoid (input)
+ * override : UTM override zone, zero indicates no override (input)
+ */
+
+
+ void Get_UTM_Parameters(double *a,
+ double *f,
+ long *override);
+/*
+ * The function Get_UTM_Parameters returns the current ellipsoid
+ * parameters and UTM zone override parameter.
+ *
+ * a : Semi-major axis of ellipsoid, in meters (output)
+ * f : Flattening of ellipsoid (output)
+ * override : UTM override zone, zero indicates no override (output)
+ */
+
+
+ long Convert_Geodetic_To_UTM (double Latitude,
+ double Longitude,
+ long *Zone,
+ char *Hemisphere,
+ double *Easting,
+ double *Northing);
+/*
+ * The function Convert_Geodetic_To_UTM converts geodetic (latitude and
+ * longitude) coordinates to UTM projection (zone, hemisphere, easting and
+ * northing) coordinates according to the current ellipsoid and UTM zone
+ * override parameters. If any errors occur, the error code(s) are returned
+ * by the function, otherwise UTM_NO_ERROR is returned.
+ *
+ * Latitude : Latitude in radians (input)
+ * Longitude : Longitude in radians (input)
+ * Zone : UTM zone (output)
+ * Hemisphere : North or South hemisphere (output)
+ * Easting : Easting (X) in meters (output)
+ * Northing : Northing (Y) in meters (output)
+ */
+
+
+ long Convert_UTM_To_Geodetic(long Zone,
+ char Hemisphere,
+ double Easting,
+ double Northing,
+ double *Latitude,
+ double *Longitude);
+/*
+ * The function Convert_UTM_To_Geodetic converts UTM projection (zone,
+ * hemisphere, easting and northing) coordinates to geodetic(latitude
+ * and longitude) coordinates, according to the current ellipsoid
+ * parameters. If any errors occur, the error code(s) are returned
+ * by the function, otherwise UTM_NO_ERROR is returned.
+ *
+ * Zone : UTM zone (input)
+ * Hemisphere : North or South hemisphere (input)
+ * Easting : Easting (X) in meters (input)
+ * Northing : Northing (Y) in meters (input)
+ * Latitude : Latitude in radians (output)
+ * Longitude : Longitude in radians (output)
+ */
+
+ #ifdef __cplusplus
+}
+ #endif
+
+#endif /* UTM_H */
diff --git a/external/hidapi/CMakeLists.txt b/external/hidapi/CMakeLists.txt
new file mode 100644
index 00000000..c9dd66f1
--- /dev/null
+++ b/external/hidapi/CMakeLists.txt
@@ -0,0 +1,21 @@
+set(HIDAPI_LIBRARIES "" CACHE INTERNAL "")
+
+if(WIN32 OR CYGWIN) # windows
+
+ set(HIDAPI_LIBRARIES hidapi CACHE INTERNAL "hidapi")
+
+ list(APPEND hidapi_SOURCES
+ # Functions for accessing HID devices on Windows.
+ # These were copied from https://github.com/libusb/hidapi
+ ${CUSTOM_HIDAPI_DIR}/hid.c
+ )
+
+ add_library(hidapi STATIC
+ ${hidapi_SOURCES}
+ )
+
+ set_target_properties(hidapi
+ PROPERTIES COMPILE_FLAGS "-Dbool=int -Dtrue=1 -Dfalse=0 -DUSE_HIDAPI_STATIC"
+ )
+
+endif()
diff --git a/external/hidapi/LICENSE-bsd.txt b/external/hidapi/LICENSE-bsd.txt
new file mode 100644
index 00000000..538cdf95
--- /dev/null
+++ b/external/hidapi/LICENSE-bsd.txt
@@ -0,0 +1,26 @@
+Copyright (c) 2010, Alan Ott, Signal 11 Software
+All rights reserved.
+
+Redistribution and use in source and binary forms, with or without
+modification, are permitted provided that the following conditions are met:
+
+ * Redistributions of source code must retain the above copyright notice,
+ this list of conditions and the following disclaimer.
+ * Redistributions in binary form must reproduce the above copyright
+ notice, this list of conditions and the following disclaimer in the
+ documentation and/or other materials provided with the distribution.
+ * Neither the name of Signal 11 Software nor the names of its
+ contributors may be used to endorse or promote products derived from
+ this software without specific prior written permission.
+
+THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS"
+AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE
+IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE
+ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE
+LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR
+CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF
+SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS
+INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN
+CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
+ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
+POSSIBILITY OF SUCH DAMAGE.
diff --git a/external/hidapi/LICENSE-gpl3.txt b/external/hidapi/LICENSE-gpl3.txt
new file mode 100644
index 00000000..94a9ed02
--- /dev/null
+++ b/external/hidapi/LICENSE-gpl3.txt
@@ -0,0 +1,674 @@
+ GNU GENERAL PUBLIC LICENSE
+ Version 3, 29 June 2007
+
+ Copyright (C) 2007 Free Software Foundation, Inc.
+ Everyone is permitted to copy and distribute verbatim copies
+ of this license document, but changing it is not allowed.
+
+ Preamble
+
+ The GNU General Public License is a free, copyleft license for
+software and other kinds of works.
+
+ The licenses for most software and other practical works are designed
+to take away your freedom to share and change the works. By contrast,
+the GNU General Public License is intended to guarantee your freedom to
+share and change all versions of a program--to make sure it remains free
+software for all its users. We, the Free Software Foundation, use the
+GNU General Public License for most of our software; it applies also to
+any other work released this way by its authors. You can apply it to
+your programs, too.
+
+ When we speak of free software, we are referring to freedom, not
+price. Our General Public Licenses are designed to make sure that you
+have the freedom to distribute copies of free software (and charge for
+them if you wish), that you receive source code or can get it if you
+want it, that you can change the software or use pieces of it in new
+free programs, and that you know you can do these things.
+
+ To protect your rights, we need to prevent others from denying you
+these rights or asking you to surrender the rights. Therefore, you have
+certain responsibilities if you distribute copies of the software, or if
+you modify it: responsibilities to respect the freedom of others.
+
+ For example, if you distribute copies of such a program, whether
+gratis or for a fee, you must pass on to the recipients the same
+freedoms that you received. You must make sure that they, too, receive
+or can get the source code. And you must show them these terms so they
+know their rights.
+
+ Developers that use the GNU GPL protect your rights with two steps:
+(1) assert copyright on the software, and (2) offer you this License
+giving you legal permission to copy, distribute and/or modify it.
+
+ For the developers' and authors' protection, the GPL clearly explains
+that there is no warranty for this free software. For both users' and
+authors' sake, the GPL requires that modified versions be marked as
+changed, so that their problems will not be attributed erroneously to
+authors of previous versions.
+
+ Some devices are designed to deny users access to install or run
+modified versions of the software inside them, although the manufacturer
+can do so. This is fundamentally incompatible with the aim of
+protecting users' freedom to change the software. The systematic
+pattern of such abuse occurs in the area of products for individuals to
+use, which is precisely where it is most unacceptable. Therefore, we
+have designed this version of the GPL to prohibit the practice for those
+products. If such problems arise substantially in other domains, we
+stand ready to extend this provision to those domains in future versions
+of the GPL, as needed to protect the freedom of users.
+
+ Finally, every program is threatened constantly by software patents.
+States should not allow patents to restrict development and use of
+software on general-purpose computers, but in those that do, we wish to
+avoid the special danger that patents applied to a free program could
+make it effectively proprietary. To prevent this, the GPL assures that
+patents cannot be used to render the program non-free.
+
+ The precise terms and conditions for copying, distribution and
+modification follow.
+
+ TERMS AND CONDITIONS
+
+ 0. Definitions.
+
+ "This License" refers to version 3 of the GNU General Public License.
+
+ "Copyright" also means copyright-like laws that apply to other kinds of
+works, such as semiconductor masks.
+
+ "The Program" refers to any copyrightable work licensed under this
+License. Each licensee is addressed as "you". "Licensees" and
+"recipients" may be individuals or organizations.
+
+ To "modify" a work means to copy from or adapt all or part of the work
+in a fashion requiring copyright permission, other than the making of an
+exact copy. The resulting work is called a "modified version" of the
+earlier work or a work "based on" the earlier work.
+
+ A "covered work" means either the unmodified Program or a work based
+on the Program.
+
+ To "propagate" a work means to do anything with it that, without
+permission, would make you directly or secondarily liable for
+infringement under applicable copyright law, except executing it on a
+computer or modifying a private copy. Propagation includes copying,
+distribution (with or without modification), making available to the
+public, and in some countries other activities as well.
+
+ To "convey" a work means any kind of propagation that enables other
+parties to make or receive copies. Mere interaction with a user through
+a computer network, with no transfer of a copy, is not conveying.
+
+ An interactive user interface displays "Appropriate Legal Notices"
+to the extent that it includes a convenient and prominently visible
+feature that (1) displays an appropriate copyright notice, and (2)
+tells the user that there is no warranty for the work (except to the
+extent that warranties are provided), that licensees may convey the
+work under this License, and how to view a copy of this License. If
+the interface presents a list of user commands or options, such as a
+menu, a prominent item in the list meets this criterion.
+
+ 1. Source Code.
+
+ The "source code" for a work means the preferred form of the work
+for making modifications to it. "Object code" means any non-source
+form of a work.
+
+ A "Standard Interface" means an interface that either is an official
+standard defined by a recognized standards body, or, in the case of
+interfaces specified for a particular programming language, one that
+is widely used among developers working in that language.
+
+ The "System Libraries" of an executable work include anything, other
+than the work as a whole, that (a) is included in the normal form of
+packaging a Major Component, but which is not part of that Major
+Component, and (b) serves only to enable use of the work with that
+Major Component, or to implement a Standard Interface for which an
+implementation is available to the public in source code form. A
+"Major Component", in this context, means a major essential component
+(kernel, window system, and so on) of the specific operating system
+(if any) on which the executable work runs, or a compiler used to
+produce the work, or an object code interpreter used to run it.
+
+ The "Corresponding Source" for a work in object code form means all
+the source code needed to generate, install, and (for an executable
+work) run the object code and to modify the work, including scripts to
+control those activities. However, it does not include the work's
+System Libraries, or general-purpose tools or generally available free
+programs which are used unmodified in performing those activities but
+which are not part of the work. For example, Corresponding Source
+includes interface definition files associated with source files for
+the work, and the source code for shared libraries and dynamically
+linked subprograms that the work is specifically designed to require,
+such as by intimate data communication or control flow between those
+subprograms and other parts of the work.
+
+ The Corresponding Source need not include anything that users
+can regenerate automatically from other parts of the Corresponding
+Source.
+
+ The Corresponding Source for a work in source code form is that
+same work.
+
+ 2. Basic Permissions.
+
+ All rights granted under this License are granted for the term of
+copyright on the Program, and are irrevocable provided the stated
+conditions are met. This License explicitly affirms your unlimited
+permission to run the unmodified Program. The output from running a
+covered work is covered by this License only if the output, given its
+content, constitutes a covered work. This License acknowledges your
+rights of fair use or other equivalent, as provided by copyright law.
+
+ You may make, run and propagate covered works that you do not
+convey, without conditions so long as your license otherwise remains
+in force. You may convey covered works to others for the sole purpose
+of having them make modifications exclusively for you, or provide you
+with facilities for running those works, provided that you comply with
+the terms of this License in conveying all material for which you do
+not control copyright. Those thus making or running the covered works
+for you must do so exclusively on your behalf, under your direction
+and control, on terms that prohibit them from making any copies of
+your copyrighted material outside their relationship with you.
+
+ Conveying under any other circumstances is permitted solely under
+the conditions stated below. Sublicensing is not allowed; section 10
+makes it unnecessary.
+
+ 3. Protecting Users' Legal Rights From Anti-Circumvention Law.
+
+ No covered work shall be deemed part of an effective technological
+measure under any applicable law fulfilling obligations under article
+11 of the WIPO copyright treaty adopted on 20 December 1996, or
+similar laws prohibiting or restricting circumvention of such
+measures.
+
+ When you convey a covered work, you waive any legal power to forbid
+circumvention of technological measures to the extent such circumvention
+is effected by exercising rights under this License with respect to
+the covered work, and you disclaim any intention to limit operation or
+modification of the work as a means of enforcing, against the work's
+users, your or third parties' legal rights to forbid circumvention of
+technological measures.
+
+ 4. Conveying Verbatim Copies.
+
+ You may convey verbatim copies of the Program's source code as you
+receive it, in any medium, provided that you conspicuously and
+appropriately publish on each copy an appropriate copyright notice;
+keep intact all notices stating that this License and any
+non-permissive terms added in accord with section 7 apply to the code;
+keep intact all notices of the absence of any warranty; and give all
+recipients a copy of this License along with the Program.
+
+ You may charge any price or no price for each copy that you convey,
+and you may offer support or warranty protection for a fee.
+
+ 5. Conveying Modified Source Versions.
+
+ You may convey a work based on the Program, or the modifications to
+produce it from the Program, in the form of source code under the
+terms of section 4, provided that you also meet all of these conditions:
+
+ a) The work must carry prominent notices stating that you modified
+ it, and giving a relevant date.
+
+ b) The work must carry prominent notices stating that it is
+ released under this License and any conditions added under section
+ 7. This requirement modifies the requirement in section 4 to
+ "keep intact all notices".
+
+ c) You must license the entire work, as a whole, under this
+ License to anyone who comes into possession of a copy. This
+ License will therefore apply, along with any applicable section 7
+ additional terms, to the whole of the work, and all its parts,
+ regardless of how they are packaged. This License gives no
+ permission to license the work in any other way, but it does not
+ invalidate such permission if you have separately received it.
+
+ d) If the work has interactive user interfaces, each must display
+ Appropriate Legal Notices; however, if the Program has interactive
+ interfaces that do not display Appropriate Legal Notices, your
+ work need not make them do so.
+
+ A compilation of a covered work with other separate and independent
+works, which are not by their nature extensions of the covered work,
+and which are not combined with it such as to form a larger program,
+in or on a volume of a storage or distribution medium, is called an
+"aggregate" if the compilation and its resulting copyright are not
+used to limit the access or legal rights of the compilation's users
+beyond what the individual works permit. Inclusion of a covered work
+in an aggregate does not cause this License to apply to the other
+parts of the aggregate.
+
+ 6. Conveying Non-Source Forms.
+
+ You may convey a covered work in object code form under the terms
+of sections 4 and 5, provided that you also convey the
+machine-readable Corresponding Source under the terms of this License,
+in one of these ways:
+
+ a) Convey the object code in, or embodied in, a physical product
+ (including a physical distribution medium), accompanied by the
+ Corresponding Source fixed on a durable physical medium
+ customarily used for software interchange.
+
+ b) Convey the object code in, or embodied in, a physical product
+ (including a physical distribution medium), accompanied by a
+ written offer, valid for at least three years and valid for as
+ long as you offer spare parts or customer support for that product
+ model, to give anyone who possesses the object code either (1) a
+ copy of the Corresponding Source for all the software in the
+ product that is covered by this License, on a durable physical
+ medium customarily used for software interchange, for a price no
+ more than your reasonable cost of physically performing this
+ conveying of source, or (2) access to copy the
+ Corresponding Source from a network server at no charge.
+
+ c) Convey individual copies of the object code with a copy of the
+ written offer to provide the Corresponding Source. This
+ alternative is allowed only occasionally and noncommercially, and
+ only if you received the object code with such an offer, in accord
+ with subsection 6b.
+
+ d) Convey the object code by offering access from a designated
+ place (gratis or for a charge), and offer equivalent access to the
+ Corresponding Source in the same way through the same place at no
+ further charge. You need not require recipients to copy the
+ Corresponding Source along with the object code. If the place to
+ copy the object code is a network server, the Corresponding Source
+ may be on a different server (operated by you or a third party)
+ that supports equivalent copying facilities, provided you maintain
+ clear directions next to the object code saying where to find the
+ Corresponding Source. Regardless of what server hosts the
+ Corresponding Source, you remain obligated to ensure that it is
+ available for as long as needed to satisfy these requirements.
+
+ e) Convey the object code using peer-to-peer transmission, provided
+ you inform other peers where the object code and Corresponding
+ Source of the work are being offered to the general public at no
+ charge under subsection 6d.
+
+ A separable portion of the object code, whose source code is excluded
+from the Corresponding Source as a System Library, need not be
+included in conveying the object code work.
+
+ A "User Product" is either (1) a "consumer product", which means any
+tangible personal property which is normally used for personal, family,
+or household purposes, or (2) anything designed or sold for incorporation
+into a dwelling. In determining whether a product is a consumer product,
+doubtful cases shall be resolved in favor of coverage. For a particular
+product received by a particular user, "normally used" refers to a
+typical or common use of that class of product, regardless of the status
+of the particular user or of the way in which the particular user
+actually uses, or expects or is expected to use, the product. A product
+is a consumer product regardless of whether the product has substantial
+commercial, industrial or non-consumer uses, unless such uses represent
+the only significant mode of use of the product.
+
+ "Installation Information" for a User Product means any methods,
+procedures, authorization keys, or other information required to install
+and execute modified versions of a covered work in that User Product from
+a modified version of its Corresponding Source. The information must
+suffice to ensure that the continued functioning of the modified object
+code is in no case prevented or interfered with solely because
+modification has been made.
+
+ If you convey an object code work under this section in, or with, or
+specifically for use in, a User Product, and the conveying occurs as
+part of a transaction in which the right of possession and use of the
+User Product is transferred to the recipient in perpetuity or for a
+fixed term (regardless of how the transaction is characterized), the
+Corresponding Source conveyed under this section must be accompanied
+by the Installation Information. But this requirement does not apply
+if neither you nor any third party retains the ability to install
+modified object code on the User Product (for example, the work has
+been installed in ROM).
+
+ The requirement to provide Installation Information does not include a
+requirement to continue to provide support service, warranty, or updates
+for a work that has been modified or installed by the recipient, or for
+the User Product in which it has been modified or installed. Access to a
+network may be denied when the modification itself materially and
+adversely affects the operation of the network or violates the rules and
+protocols for communication across the network.
+
+ Corresponding Source conveyed, and Installation Information provided,
+in accord with this section must be in a format that is publicly
+documented (and with an implementation available to the public in
+source code form), and must require no special password or key for
+unpacking, reading or copying.
+
+ 7. Additional Terms.
+
+ "Additional permissions" are terms that supplement the terms of this
+License by making exceptions from one or more of its conditions.
+Additional permissions that are applicable to the entire Program shall
+be treated as though they were included in this License, to the extent
+that they are valid under applicable law. If additional permissions
+apply only to part of the Program, that part may be used separately
+under those permissions, but the entire Program remains governed by
+this License without regard to the additional permissions.
+
+ When you convey a copy of a covered work, you may at your option
+remove any additional permissions from that copy, or from any part of
+it. (Additional permissions may be written to require their own
+removal in certain cases when you modify the work.) You may place
+additional permissions on material, added by you to a covered work,
+for which you have or can give appropriate copyright permission.
+
+ Notwithstanding any other provision of this License, for material you
+add to a covered work, you may (if authorized by the copyright holders of
+that material) supplement the terms of this License with terms:
+
+ a) Disclaiming warranty or limiting liability differently from the
+ terms of sections 15 and 16 of this License; or
+
+ b) Requiring preservation of specified reasonable legal notices or
+ author attributions in that material or in the Appropriate Legal
+ Notices displayed by works containing it; or
+
+ c) Prohibiting misrepresentation of the origin of that material, or
+ requiring that modified versions of such material be marked in
+ reasonable ways as different from the original version; or
+
+ d) Limiting the use for publicity purposes of names of licensors or
+ authors of the material; or
+
+ e) Declining to grant rights under trademark law for use of some
+ trade names, trademarks, or service marks; or
+
+ f) Requiring indemnification of licensors and authors of that
+ material by anyone who conveys the material (or modified versions of
+ it) with contractual assumptions of liability to the recipient, for
+ any liability that these contractual assumptions directly impose on
+ those licensors and authors.
+
+ All other non-permissive additional terms are considered "further
+restrictions" within the meaning of section 10. If the Program as you
+received it, or any part of it, contains a notice stating that it is
+governed by this License along with a term that is a further
+restriction, you may remove that term. If a license document contains
+a further restriction but permits relicensing or conveying under this
+License, you may add to a covered work material governed by the terms
+of that license document, provided that the further restriction does
+not survive such relicensing or conveying.
+
+ If you add terms to a covered work in accord with this section, you
+must place, in the relevant source files, a statement of the
+additional terms that apply to those files, or a notice indicating
+where to find the applicable terms.
+
+ Additional terms, permissive or non-permissive, may be stated in the
+form of a separately written license, or stated as exceptions;
+the above requirements apply either way.
+
+ 8. Termination.
+
+ You may not propagate or modify a covered work except as expressly
+provided under this License. Any attempt otherwise to propagate or
+modify it is void, and will automatically terminate your rights under
+this License (including any patent licenses granted under the third
+paragraph of section 11).
+
+ However, if you cease all violation of this License, then your
+license from a particular copyright holder is reinstated (a)
+provisionally, unless and until the copyright holder explicitly and
+finally terminates your license, and (b) permanently, if the copyright
+holder fails to notify you of the violation by some reasonable means
+prior to 60 days after the cessation.
+
+ Moreover, your license from a particular copyright holder is
+reinstated permanently if the copyright holder notifies you of the
+violation by some reasonable means, this is the first time you have
+received notice of violation of this License (for any work) from that
+copyright holder, and you cure the violation prior to 30 days after
+your receipt of the notice.
+
+ Termination of your rights under this section does not terminate the
+licenses of parties who have received copies or rights from you under
+this License. If your rights have been terminated and not permanently
+reinstated, you do not qualify to receive new licenses for the same
+material under section 10.
+
+ 9. Acceptance Not Required for Having Copies.
+
+ You are not required to accept this License in order to receive or
+run a copy of the Program. Ancillary propagation of a covered work
+occurring solely as a consequence of using peer-to-peer transmission
+to receive a copy likewise does not require acceptance. However,
+nothing other than this License grants you permission to propagate or
+modify any covered work. These actions infringe copyright if you do
+not accept this License. Therefore, by modifying or propagating a
+covered work, you indicate your acceptance of this License to do so.
+
+ 10. Automatic Licensing of Downstream Recipients.
+
+ Each time you convey a covered work, the recipient automatically
+receives a license from the original licensors, to run, modify and
+propagate that work, subject to this License. You are not responsible
+for enforcing compliance by third parties with this License.
+
+ An "entity transaction" is a transaction transferring control of an
+organization, or substantially all assets of one, or subdividing an
+organization, or merging organizations. If propagation of a covered
+work results from an entity transaction, each party to that
+transaction who receives a copy of the work also receives whatever
+licenses to the work the party's predecessor in interest had or could
+give under the previous paragraph, plus a right to possession of the
+Corresponding Source of the work from the predecessor in interest, if
+the predecessor has it or can get it with reasonable efforts.
+
+ You may not impose any further restrictions on the exercise of the
+rights granted or affirmed under this License. For example, you may
+not impose a license fee, royalty, or other charge for exercise of
+rights granted under this License, and you may not initiate litigation
+(including a cross-claim or counterclaim in a lawsuit) alleging that
+any patent claim is infringed by making, using, selling, offering for
+sale, or importing the Program or any portion of it.
+
+ 11. Patents.
+
+ A "contributor" is a copyright holder who authorizes use under this
+License of the Program or a work on which the Program is based. The
+work thus licensed is called the contributor's "contributor version".
+
+ A contributor's "essential patent claims" are all patent claims
+owned or controlled by the contributor, whether already acquired or
+hereafter acquired, that would be infringed by some manner, permitted
+by this License, of making, using, or selling its contributor version,
+but do not include claims that would be infringed only as a
+consequence of further modification of the contributor version. For
+purposes of this definition, "control" includes the right to grant
+patent sublicenses in a manner consistent with the requirements of
+this License.
+
+ Each contributor grants you a non-exclusive, worldwide, royalty-free
+patent license under the contributor's essential patent claims, to
+make, use, sell, offer for sale, import and otherwise run, modify and
+propagate the contents of its contributor version.
+
+ In the following three paragraphs, a "patent license" is any express
+agreement or commitment, however denominated, not to enforce a patent
+(such as an express permission to practice a patent or covenant not to
+sue for patent infringement). To "grant" such a patent license to a
+party means to make such an agreement or commitment not to enforce a
+patent against the party.
+
+ If you convey a covered work, knowingly relying on a patent license,
+and the Corresponding Source of the work is not available for anyone
+to copy, free of charge and under the terms of this License, through a
+publicly available network server or other readily accessible means,
+then you must either (1) cause the Corresponding Source to be so
+available, or (2) arrange to deprive yourself of the benefit of the
+patent license for this particular work, or (3) arrange, in a manner
+consistent with the requirements of this License, to extend the patent
+license to downstream recipients. "Knowingly relying" means you have
+actual knowledge that, but for the patent license, your conveying the
+covered work in a country, or your recipient's use of the covered work
+in a country, would infringe one or more identifiable patents in that
+country that you have reason to believe are valid.
+
+ If, pursuant to or in connection with a single transaction or
+arrangement, you convey, or propagate by procuring conveyance of, a
+covered work, and grant a patent license to some of the parties
+receiving the covered work authorizing them to use, propagate, modify
+or convey a specific copy of the covered work, then the patent license
+you grant is automatically extended to all recipients of the covered
+work and works based on it.
+
+ A patent license is "discriminatory" if it does not include within
+the scope of its coverage, prohibits the exercise of, or is
+conditioned on the non-exercise of one or more of the rights that are
+specifically granted under this License. You may not convey a covered
+work if you are a party to an arrangement with a third party that is
+in the business of distributing software, under which you make payment
+to the third party based on the extent of your activity of conveying
+the work, and under which the third party grants, to any of the
+parties who would receive the covered work from you, a discriminatory
+patent license (a) in connection with copies of the covered work
+conveyed by you (or copies made from those copies), or (b) primarily
+for and in connection with specific products or compilations that
+contain the covered work, unless you entered into that arrangement,
+or that patent license was granted, prior to 28 March 2007.
+
+ Nothing in this License shall be construed as excluding or limiting
+any implied license or other defenses to infringement that may
+otherwise be available to you under applicable patent law.
+
+ 12. No Surrender of Others' Freedom.
+
+ If conditions are imposed on you (whether by court order, agreement or
+otherwise) that contradict the conditions of this License, they do not
+excuse you from the conditions of this License. If you cannot convey a
+covered work so as to satisfy simultaneously your obligations under this
+License and any other pertinent obligations, then as a consequence you may
+not convey it at all. For example, if you agree to terms that obligate you
+to collect a royalty for further conveying from those to whom you convey
+the Program, the only way you could satisfy both those terms and this
+License would be to refrain entirely from conveying the Program.
+
+ 13. Use with the GNU Affero General Public License.
+
+ Notwithstanding any other provision of this License, you have
+permission to link or combine any covered work with a work licensed
+under version 3 of the GNU Affero General Public License into a single
+combined work, and to convey the resulting work. The terms of this
+License will continue to apply to the part which is the covered work,
+but the special requirements of the GNU Affero General Public License,
+section 13, concerning interaction through a network will apply to the
+combination as such.
+
+ 14. Revised Versions of this License.
+
+ The Free Software Foundation may publish revised and/or new versions of
+the GNU General Public License from time to time. Such new versions will
+be similar in spirit to the present version, but may differ in detail to
+address new problems or concerns.
+
+ Each version is given a distinguishing version number. If the
+Program specifies that a certain numbered version of the GNU General
+Public License "or any later version" applies to it, you have the
+option of following the terms and conditions either of that numbered
+version or of any later version published by the Free Software
+Foundation. If the Program does not specify a version number of the
+GNU General Public License, you may choose any version ever published
+by the Free Software Foundation.
+
+ If the Program specifies that a proxy can decide which future
+versions of the GNU General Public License can be used, that proxy's
+public statement of acceptance of a version permanently authorizes you
+to choose that version for the Program.
+
+ Later license versions may give you additional or different
+permissions. However, no additional obligations are imposed on any
+author or copyright holder as a result of your choosing to follow a
+later version.
+
+ 15. Disclaimer of Warranty.
+
+ THERE IS NO WARRANTY FOR THE PROGRAM, TO THE EXTENT PERMITTED BY
+APPLICABLE LAW. EXCEPT WHEN OTHERWISE STATED IN WRITING THE COPYRIGHT
+HOLDERS AND/OR OTHER PARTIES PROVIDE THE PROGRAM "AS IS" WITHOUT WARRANTY
+OF ANY KIND, EITHER EXPRESSED OR IMPLIED, INCLUDING, BUT NOT LIMITED TO,
+THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR
+PURPOSE. THE ENTIRE RISK AS TO THE QUALITY AND PERFORMANCE OF THE PROGRAM
+IS WITH YOU. SHOULD THE PROGRAM PROVE DEFECTIVE, YOU ASSUME THE COST OF
+ALL NECESSARY SERVICING, REPAIR OR CORRECTION.
+
+ 16. Limitation of Liability.
+
+ IN NO EVENT UNLESS REQUIRED BY APPLICABLE LAW OR AGREED TO IN WRITING
+WILL ANY COPYRIGHT HOLDER, OR ANY OTHER PARTY WHO MODIFIES AND/OR CONVEYS
+THE PROGRAM AS PERMITTED ABOVE, BE LIABLE TO YOU FOR DAMAGES, INCLUDING ANY
+GENERAL, SPECIAL, INCIDENTAL OR CONSEQUENTIAL DAMAGES ARISING OUT OF THE
+USE OR INABILITY TO USE THE PROGRAM (INCLUDING BUT NOT LIMITED TO LOSS OF
+DATA OR DATA BEING RENDERED INACCURATE OR LOSSES SUSTAINED BY YOU OR THIRD
+PARTIES OR A FAILURE OF THE PROGRAM TO OPERATE WITH ANY OTHER PROGRAMS),
+EVEN IF SUCH HOLDER OR OTHER PARTY HAS BEEN ADVISED OF THE POSSIBILITY OF
+SUCH DAMAGES.
+
+ 17. Interpretation of Sections 15 and 16.
+
+ If the disclaimer of warranty and limitation of liability provided
+above cannot be given local legal effect according to their terms,
+reviewing courts shall apply local law that most closely approximates
+an absolute waiver of all civil liability in connection with the
+Program, unless a warranty or assumption of liability accompanies a
+copy of the Program in return for a fee.
+
+ END OF TERMS AND CONDITIONS
+
+ How to Apply These Terms to Your New Programs
+
+ If you develop a new program, and you want it to be of the greatest
+possible use to the public, the best way to achieve this is to make it
+free software which everyone can redistribute and change under these terms.
+
+ To do so, attach the following notices to the program. It is safest
+to attach them to the start of each source file to most effectively
+state the exclusion of warranty; and each file should have at least
+the "copyright" line and a pointer to where the full notice is found.
+
+
+ Copyright (C)
+
+ This program is free software: you can redistribute it and/or modify
+ it under the terms of the GNU General Public License as published by
+ the Free Software Foundation, either version 3 of the License, or
+ (at your option) any later version.
+
+ This program is distributed in the hope that it will be useful,
+ but WITHOUT ANY WARRANTY; without even the implied warranty of
+ MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
+ GNU General Public License for more details.
+
+ You should have received a copy of the GNU General Public License
+ along with this program. If not, see .
+
+Also add information on how to contact you by electronic and paper mail.
+
+ If the program does terminal interaction, make it output a short
+notice like this when it starts in an interactive mode:
+
+ Copyright (C)
+ This program comes with ABSOLUTELY NO WARRANTY; for details type `show w'.
+ This is free software, and you are welcome to redistribute it
+ under certain conditions; type `show c' for details.
+
+The hypothetical commands `show w' and `show c' should show the appropriate
+parts of the General Public License. Of course, your program's commands
+might be different; for a GUI interface, you would use an "about box".
+
+ You should also get your employer (if you work as a programmer) or school,
+if any, to sign a "copyright disclaimer" for the program, if necessary.
+For more information on this, and how to apply and follow the GNU GPL, see
+.
+
+ The GNU General Public License does not permit incorporating your program
+into proprietary programs. If your program is a subroutine library, you
+may consider it more useful to permit linking proprietary applications with
+the library. If this is what you want to do, use the GNU Lesser General
+Public License instead of this License. But first, please read
+.
diff --git a/external/hidapi/LICENSE-orig.txt b/external/hidapi/LICENSE-orig.txt
new file mode 100644
index 00000000..e3f33808
--- /dev/null
+++ b/external/hidapi/LICENSE-orig.txt
@@ -0,0 +1,9 @@
+ HIDAPI - Multi-Platform library for
+ communication with HID devices.
+
+ Copyright 2009, Alan Ott, Signal 11 Software.
+ All Rights Reserved.
+
+ This software may be used by anyone for any reason so
+ long as the copyright notice in the source files
+ remains intact.
diff --git a/external/hidapi/LICENSE.txt b/external/hidapi/LICENSE.txt
new file mode 100644
index 00000000..e1676d4c
--- /dev/null
+++ b/external/hidapi/LICENSE.txt
@@ -0,0 +1,13 @@
+HIDAPI can be used under one of three licenses.
+
+1. The GNU General Public License, version 3.0, in LICENSE-gpl3.txt
+2. A BSD-Style License, in LICENSE-bsd.txt.
+3. The more liberal original HIDAPI license. LICENSE-orig.txt
+
+The license chosen is at the discretion of the user of HIDAPI. For example:
+1. An author of GPL software would likely use HIDAPI under the terms of the
+GPL.
+
+2. An author of commercial closed-source software would likely use HIDAPI
+under the terms of the BSD-style license or the original HIDAPI license.
+
diff --git a/external/hidapi/README.md b/external/hidapi/README.md
new file mode 100644
index 00000000..6ced0f91
--- /dev/null
+++ b/external/hidapi/README.md
@@ -0,0 +1 @@
+This is from https://github.com/libusb/hidapi
diff --git a/external/hidapi/hid.c b/external/hidapi/hid.c
new file mode 100644
index 00000000..e483cd4f
--- /dev/null
+++ b/external/hidapi/hid.c
@@ -0,0 +1,1091 @@
+/*******************************************************
+ HIDAPI - Multi-Platform library for
+ communication with HID devices.
+
+ Alan Ott
+ Signal 11 Software
+
+ 8/22/2009
+
+ Copyright 2009, All Rights Reserved.
+
+ At the discretion of the user of this library,
+ this software may be licensed under the terms of the
+ GNU General Public License v3, a BSD-Style license, or the
+ original HIDAPI license as outlined in the LICENSE.txt,
+ LICENSE-gpl3.txt, LICENSE-bsd.txt, and LICENSE-orig.txt
+ files located at the root of the source distribution.
+ These files may also be found in the public source
+ code repository located at:
+ https://github.com/libusb/hidapi .
+********************************************************/
+
+#include
+
+#ifndef _NTDEF_
+typedef LONG NTSTATUS;
+#endif
+
+#ifdef __MINGW32__
+#include
+#include
+#endif
+
+#ifdef __CYGWIN__
+#include