Tuesday, January 31, 2012

Propeller Beacon Update

I have taken the baseline beacons that I have created for QRSS, WSPR and Opera and put them together into a single beacon.

WSPR is on a 10 minute cycle (TX Percent = 20%).  QRSS follows and just sends my call sign.  Opera then follows and the remainder of the 10 minute cycle is idle.  WSPR goes first because it has the even minute starting time requirement.

I have created each of the beacons as separate objects that the main beacon code can instantiate and call.  The main beacon code looks like this:

CON
  _CLKMODE = XTAL1 + PLL16X
  _XINFREQ = 5_000_000

  WMin     =       381        'WAITCNT-expression-overhead Minimum

OBJ
  WSPR  : "ko7mBeaconWSPR"
  QRSS  : "ko7mBeaconQRSS"
  Opera : "ko7mBeaconOpera"
  Clock : "ko7mClock"
  Freq  : "Synth"
 
VAR
  LONG Sync


PUB Main
  doInitialize
  repeat
    WSPR.doBeacon               ' 2 minutes (110.6 seconds) for WSPR
    delay(10000)                ' Delay 10 seconds before doing QRSS
    QRSS.doBeacon               ' QRSS is about 3 minutes
    delay(10000)                ' Delay 10 seconds before doing Opera
    Opera.doBeacon              ' Opera is about 3 minutes
    repeat while Clock.getSeconds // Sync
      delay(100)  


PUB doInitialize
  Sync := 10 * 60               ' Beacons cycle every 10 minutes
  Clock.Start


PUB delay(Duration)
  waitcnt(((clkfreq / 1_000 * Duration - 3932) #> WMin) + cnt)


The beacon is up and running as of now.  I would love to have any reports if anyone is able to spot any of my three beacons.

Randomizing WSPR TX Percent - revisited

After 12 hours or so of experiencing my recent changes to how often my WSPR beacon transmits, I have decided that I am not happy with the results.  As mentioned in my previous posting my recent changes have redefined TX Percent to mean the maximum amount of time that the beacon will wait between transmissions.  This is not quite right because as you can see it results in an aweful lot of transmissions when the intent is to transmit "about every 10 minutes" when TX Percent is set to 20%.


I think clearly that the intent from Joe Taylor's WSPR documentation is that we actually transmit approximately every 10 minutes in this case, but that we randomly choose which 2 minute window in that 10 minutes to transmit.

So, to implement this, I need a couple of time values.  The transmission time calculated from TX Percent and a randomly chosen two minute interval in that timeframe.  The nextSync calculation will need changing to first wait for the randomly chosen period to arrive, transmit the symbol stream and then a wait for the remainder of the time calculated by TX Percent.  The modified code looks like this:

PUB nextSync : s
  s := ROUND(1.0 / TXPercent * 2.0)    ' Calculate when next occurs in minutes
  case interval
    Random:
      s := (||?Rnd // s)               ' Randomize the result
      interval := Calculated           ' Next time use the calculated value
    Calculated:
      s -= (Sync / 60)                 ' Wait the remainder of calculated time

      interval := Random
  s += (s // 2)                        ' Send on a 2 minute boundary
  s *= 60                              ' Convert minutes to seconds


The overall effect of this is going to be to randomize the first transmission start time whilst the second will always land on the calculated TX Percent time slot.  So, every other transmission will be exacly 10 minutes aligned at TX Percent of 20%.

I am not certain this is exactly what I want either, but I will give it a go and see how I like the new effect.  If it does not suit me, I will go with choosing a random slot in the 10 minute window, then waiting until the end of the 10 minute window and choosing a new random slot in the next 10 minute window.  The potential negative on that solution is that we could wait up to 20 minutes if the random generator chose the first 2 minute slot and then chose the last 2 minute slot in the next 10 minute window.  Sort of the opposite problem I currently have.  Anyone have any thoughts on this?

After much ado about nothing, I have settled on the following implementation (as much as anything is ever "settled"):

PUB nextSync : s
  s := ROUND(1.0 / TXPercent * 2.0)    ' Calculate when next occurs in minutes
  if interval++ & 1
    s := (||?Rnd // s) + 1             ' Randomize the result
  s += (s // 2)                        ' Aalways send on a 2 minute boundary
  s *= 60                              ' Convert minutes to seconds


The effect is clear enough.  I randomize every other transmission.  Simple enough and not being such a hog of WSPR bandwidth.  The interval variable is a BYTE value that gets incremented every time we calculate the next transmission time.  The least significant bit determines if we use a  random or calculated next transmission time.

<Insert 3/4 of a day delay here>

So, I have reverted back to a mode where I transmit every N minutes based on TX Percent calculation only.  I decided I really didn't like having the randomizing in there and have commented it out.  There is sufficient randomness of folks using the same TX Percent value starting at different 2 minute timeslots and then carrying on at a consistent period for my liking.  If I find I am syncing with another station that I want to copy, I can delay my start by a time slot and solve the problem that way.  Bit of a wasted exercise, but so be it.

Microscope for the bench

I have fought long and hard, mostly with my own pride and have finally admitted to myself that my eyesight is not what it once was.  The first indication of that came with my driver's license and airman's medical that reads "Must have corrective lenses available for near vision" on the back.  Oh sigh...

Trying to work with SMT electronics has been mostly an exercise in frustration simply because I cannot sufficiently see what I am doing.  So, I recently aquired a binocular microscope for the bench.


Man, what a difference this makes!  I can now actually see what I am doing even whilst soldering TQFP or other dense, fine pitch SMT components.  Even with corrective lenses, I have trouble with anything smaller than 1206 SMT components.  Since most of my components are 0805, this is a problem.


This is such a simple solution.  It actually has made homebrew electronics pleasurable for me again.  If you are struggling as I have with changes in vision as I have grown "wiser" (older) don't waste another minute pondering the purchase.  Invest the money in such a device and see what you are doing, or at least what you have been missing!  They are not cheap, but believe me, they are worth every penny you spend and will repay itself many times over.

Randomizing WSPR TX Percent

My propeller WSPR beacon so far has implemented TX Percent as a constant.  For example if you set TXPercent to 20% (0.20) then it will transmit every 10 minutes.  Joe Taylor's WSPR specification states that in reality, it should transmit randomly within that interval in order to minimize collisions with other stations transmitting with the same TX Percent value.  So rather than transmitting exactly every 10 minutes with this TX Percent value, I have implemented a routine to pick a random 2 minute period up to the value specified by TX Percent.  So, TX Percent now effectively specifies the maximum amount of time to wait between transmissions.

I created a variable to hold the current random number and initialized it with a constant.  The value of the constant is not important.  Pick your birthday or whatever.  It becomes the starting seed for the random number generator.

VAR
    LONG Rnd


PUB doInitialize
  Rnd  := 22041956                     ' Initialize random number seed

I then created a new procedure to calculate how long to wait before the next transmission based on TX Percent.  TX Percent is declared as a constant.  For me it is set to 20%

CON
  TXPercent =  0.20     ' Transmit 20% of the time or about every 10 minutes

PUB nextSync : s
  s := ROUND(1.0 / TXPercent * 2.0)    ' Calculate when next xmit occurs in minutes
  s := (||?Rnd // s)                   ' Randomize the result
  s += (s // 2)                        ' Send on a 2 minute boundary
  s *= 60                              ' Convert minutes to seconds


Right.  Now, in the main loop, we calculate how long to wait with each go by calling nextSync and setting the new value of Sync to the returned value.

PUB Main
  doInitialize
  repeat
    'Send symbol set for KO7M CN87 7
    sendCode(@mySyms)
    noTone
    Sync := nextSync
    repeat while SecondCnt // Sync
      delay(100)


This seems to do the job nicely.  While it is not always the case that you may want to have the transmission start time randomized, this brings the beacon code closer to that of the WSPR 2.x specification.  If you wish to have constant transmission periods, just change the Sync := nextSync line to set Sync to a constant number of seconds between transmissions.  Remember to make sure this equates to an even number of minutes between transmissions.

As you can see, my transmissions are now being nicely randomized up to 10 minutes.






For those interested, here is the entire updated beacon code:

CON
  _CLKMODE = XTAL1 + PLL16X
  _XINFREQ = 5_000_000
  WMin         =        381        'WAITCNT-expression-overhead Minimum
  RFPin        =         27        ' I use pin 27 for RF output

  ' WSPR standard frequencies

  ' Shown are the dial frequencies plus 1500 hz to put in the middle of
  ' the 200 hz WSPR band
  WSPR500KHz   =     502_400 + 1_500    ' 500 KHz
  WSPR160M     =   1_836_600 + 1_500    ' 160 metres
  WSPR80M      =   3_592_600 + 1_500    '  80 metres
  WSPR60M      =   5_287_200 + 1_500    '  60 metres
  WSPR40M      =   7_038_600 + 1_500    '  40 metres
  WSPR30M      =  10_138_700 + 1_500    '  30 metres
  WSPR20M      =  14_095_600 + 1_500    '  20 metres
  WSPR17M      =  18_104_600 + 1_500    '  17 metres
  WSPR15M      =  21_094_600 + 1_500    '  15 metres
  WSPR12M      =  24_924_600 + 1_500    '  12 metres
  WSPR10M      =  28_124_600 + 1_500    '  10 metres
  WSPR6M       =  50_293_000 + 1_500    '   6 metres
  WSPR4M       =  70_028_600 + 1_500    '   4 metres
  WSPR2M       = 144_489_000 + 1_500    '   2 metres
                     
  Frequency    =     WSPR30M     ' Set to 30 metres
  ErrorOffset  =          20     ' Specific to my propeller board - change this
  symbolLength =         683     ' 8192 / 12000 * 1000 = milliseconds
  TXPercent    =        0.20     ' Transmit 20% or about every 10 minutes

OBJ
  Freq : "Synth"
  'WSPR : "ko7mWSPREncode"
  'T    : "PSM_tv_text"
 
VAR
    LONG SecondCnt, Stack[16]
    LONG Sync
    LONG Rnd

DAT
    ' Symbol set for KO7M CN87 7
    mySyms BYTE "33020202322033300230030333100222201023012020023033"
           BYTE "22132320011212000112303210300300303300031212302010"
           BYTE "22021203023312132013030201132002230302330002020310"
           BYTE "303320231002", 0
              
PUB Main
  doInitialize
  repeat
    'Send symbol set for KO7M CN87 7
    sendCode(@mySyms)
    noTone
    Sync := nextSync
    repeat while SecondCnt // Sync
      delay(100)  

PUB doInitialize
  Rnd  := 22041956                    ' Initialize random seed           
  cognew(Clock, @Stack)               ' Start the clock COG
 
PUB sendCode(stringptr)
  if TXPercent > 0      ' If zero, not transmitting             
    repeat strsize(stringptr)
      sendSymbol(byte[stringptr++])

PUB sendSymbol(char)
  case char
   "0", 0:
    sendTone(-3)
    delay(symbolLength)
   "1", 1:
    sendTone(-1)
    delay(symbolLength)
   "2", 2:
    sendTone(1)
    delay(symbolLength)
   "3", 3:
    sendTone(3)
    delay(SymbolLength)
  
PUB sendTone(tone)
  Freq.Synth("A",RFPin, Frequency + tone + ErrorOffset)

PUB noTone
  Freq.Synth("A",RFPin, 0)

PUB delay(Duration)
  waitcnt(((clkfreq / 1_000 * Duration - 3932) #> WMin) + cnt)

PUB Clock              ' Runs In its own COG
  repeat
    delay(1000)        ' Update second counter every 1000 ms
    SecondCnt++        ' Should be good for 2^32 seconds or about 136 years

PUB nextSync : s
  s := ROUND(1.0 / TXPercent * 2.0)    ' Calculate when next TX occurs in minutes
  s := (||?Rnd // s)                   ' Randomize the result
  s += (s // 2)                        ' Always send on a 2 minute boundary
  s *= 60                              ' Convert minutes to seconds
 

Monday, January 30, 2012

First WSPR spot on Propeller Board - barefoot

Well, I got my first WSPR spot on my propeller beacon today from VE6PDQ.  It seems there is someone listening out there to my little peanut-whistle signal, blowing down all the competition with a thundering 5 mW (7 dBm) signal...  :)

Whoo hoo!  I was just about to give up hope of making any contacts on this low power level.  That works out to about 199,000 km (123,652 miles) per watt if my fuzzy head is doing the math correctly.  Yippee!


I barely had time to post this and I got a second spot from W5OLF at 1720 km.  Seems that things are picking up for me.  Very cool...


This works out to about 344,000 km (213,751 miles) per watt.

Saturday, January 28, 2012

Flying diversion

Flew up to Friday Harbor on San Juan Island yesterday in a Columbia 400, otherwise known as a Cessna 400 Corvalis.

Specifications (Cessna 400)
Data from Columbia 400 Pilot's Operating Handbook
General characteristics
Performance
Very fast airplane.  We cruised at 185 knots up and back.  Compared to flying my Super Cub, moving the stick is like trying to bend a steel rod.  I guess if you are going to move that fast you are going to have a lot of wing loading and the stick was very stiff.  I now understand why these guys fly with the autopilot engaged most of the time.

We landed at something above my normal cruise speed in the cub with a stiff crosswind and used every inch of the 3400 foot runway.  I am used to landing at Friday Harbor and making the first turnoff.


Boeing field off the right wing whilst crossing over SeaTac International airport, climbing out of 4000 for 6000 feet.


Northbound crossing Puget Sound, punching through clouds as we go.  Outside temperature was  minus 13C and we were picking up some frost on the leading edges of the wings in the cloud tops.

Heading north, east of Puget Sound, north of Bremerton.  Asked for 8000 feet to get above the cloud tops, but as you can see the clouds ahead are still above us.  Didn't want to go much higher as we will just have to drop down through them again soon to land.


This is the Avidyne glass panel setup in the C400.  Two Garmin GPS units, S-Tec autopilot and all the bells and whistles you can possibly want.

It was a fast trip and I enjoyed it greatly.  I am certainly glad I was not alone as cruising at 185 knots rather than my normal 85 knots, things happen a whole lot quicker that I am used to.  If you want to get someplace in a hurry, the C400 is a good way to go.

Friday, January 27, 2012

New Propeller Toys

I have obtained a touch panel LCD display for my Propeller board.  I am using a modification of the TV object to display text output for debugging purposes.  It is nice to have this peripheral display to make debugging easier.  Here is some debug output from my work on a routine to encode WSPR messages:


Nice little display.  It is a 320x240, 2.4" Colour LCD with touch screen.  It mounts to a prototyping board and leaves 15 IO available when connected in 8 bit mode.  It can display true-colour, 24 bit images and has a controllable backlight.  It also sports a full size SD card slot that can be used for offline storage.  Here is an example of the graphics display.


I think this will prove to be quite useful in my projects.

Wednesday, January 25, 2012

7x14 Hellschreiber Glyphs

I noticed that Mark Vandewettering, K6HX over at brainwagon.org recently posted an arduino Hellschreiber bit of code and decided to adapt his 7x14 set of glyphs to QRSS on the Propeller processor.

The result is not displeasing, but is a bit more bandwidth that I would feel comfortable taking up of a QRSS band that is only 100 Hz wide in the first place.


This is with 2 Hz spacing between column dots.  I reduced this to 1 Hz and got the following results:


Ok, so this is a little more bandwidth friendly, but I would need to play with the inter-column and inter-character spacing a bit to be happy with it.  I am not totally sold on the set of glyphs yet, but the enlarged characters allow for more interesting glyphs to be created than with my original 5x7 set.

Tuesday, January 24, 2012

Propeller Beacon Power Consumption

I decided to take a look at power consumption during RF generation on the Propeller device.  I have a power monitoring device that logs current usage over time.  What I wanted to see was the power consumption that was attributable to RF generation.

The test setup is a Gadget Gangster board powered by my power monitor at 4.55 volts.  This is a somewhat low voltage, but is the highest voltage that it will generate.  This of course may affect my testing results, but the data is interesting nevertheless.

Since I am measuring current usage on a running processor, it is fun to look at the effect of code changes on power usage, but that is a side topic for another time.

Baseline, I wanted to see what current consumption is when the processor(s) are waiting in a delay loop with RF generation off.  This appears to be on the order of 20.8 mA while continuous RF generation on a single frequency appears to consume about 23.6 mA.  The script who's power consumption is graphed below loops turning the RF on and off every 5 seconds.


Now, I replace the script with a CW beacon sending at about 15 WPM my call sign and locator (KO7M CN87).  The power consumption graph looks very much like a QRSS Argo display.


As you can see, my call sign is clearly visible.  This script baselines at about 22.5 mA with RF off and 25.2 mA with RF on or about 3-4 mA attributable to RF generation.

Monday, January 23, 2012

WSPR Spots

Well, my experience in running 7 dBm WSPR beacons thus far according to http://wsprnet.org has been far from stellar...

Spot Database

Specify query parameters
0 spots:
TimestampCallMHzSNRDriftGridPwrReporterRGridkmaz
Query time: 0.001 sec

So, I think that I may move off 30 metres for this evening and have a go at one of the longer wave bands and see if I can improve the current score.

WSPR Beacon - Frequency and Drift Data

I have been running my Propeller WSPR beacon over night and have gathered 42 data reporting points on drift and frequency as reported by WSPR 2.11 over a 7 hour period.  The beacon is transmitting every 10 minutes and idle between times.  The only temperature control is to wrap the device in foam.

The charts below are are showing the frequency reported by WSPR 2.11, which as I understand it will be the first frequency it decodes and the amout of drift from that frequency over the life of the transmission.

 There are a few somewhat wild excursions initially, but then over time the initial frequency appears to drift upwards with each successive 10 minute period as the device cools.


The amount of drift once the transmission begins is in the opposite direction and after some initial jitter assumes asymptotic behavior at a consistent 2 hertz downward drift as the device warms up.

While none of these figures is horrific, good engineering would indicate that for this kind of application, careful attention to thermal stability is important.

Sunday, January 22, 2012

Updated WSPR beacon

Today I have been working on getting my Propeller WSPR beacon to obey WSPR's timing rules.  I have implemented the notion of TX Percent.  As mentioned in previous posts, I define TX Percent in this way as there is no clear definition in Joe Taylor's documentation on WSPR.

CON
  TXPercent    =       0.20     ' Transmit 20% of the time

VAR
  LONG SecondCnt, Stack[16], Sync

PUB Init
  Sync := ROUND(1.0 / TXPercent * 2.0) ' Calculate when next xmit occurs in minutes
  Sync += (Sync // 2)                  ' Always send on a 2 minute boundary
  Sync *= 60            ' Minutes                                
  SecondCnt := 0        ' Reset the second counter to zero                       
  cognew(Clock, @Stack) ' Start the clock COG


PUB Clock                      ' Runs In its own COG
  repeat
    delay(1000)                ' Update second counter every 1000 ms
    SecondCnt++                ' Should be good for 2^32 seconds or about 136 years


Ok, so TX percent of 20% means you will transmit every 10 minutes.  If you want to change how often you transmit, change the value of TXPercent.  I modified the code to not send when TXPercent is zero as this is listen only mode.

PUB sendCode(stringptr)
  if TXPercent > 0

    repeat strsize(stringptr)
      sendSymbol(byte[stringptr++])


The Clock procedure runs on its own COG and just keeps track of seconds.  The presumption is that you flip on the Propeller board at precisely the start of an even minute.

Lastly, I modified the main routine to wait for the next transmit window.

PUB doInitialize
  repeat
    ' Send symbol set for KO7M CN87 7
    sendCode(string("<paste in your WSPR encoded message here>"))
    noTone
    repeat while SecondCnt // Sync
      delay(100)


I have the updated code running now on 10.140.200 every 10 minutes at about 7 dBm (5 mW).  Look for me in the spot database.  I am seeing about -3 drift typically when running on a 10 minute cycle.  I will have to experiment with better temperature control of the board to see if I can eliminate that.

For those interested, here is the entire beacon Spin code.  I have removed my WSPR coded message.  Please see my previous post on how to create that for your call sign, grid square and power level in dBm.

CON
  _CLKMODE = XTAL1 + PLL16X
  _XINFREQ = 5_000_000

  WMin         =        381     'WAITCNT-expression-overhead Minimum
  RFPin        =         27
  Frequency    = 10_140_200
  ErrorOffset  =       -431

  symbolLength =        683     ' 8192 / 12000 * 1000 = milliseconds
  TXPercent    =       0.20     ' Transmit 20% of the time or about every 10 minutes


OBJ
  Freq : "Synth"
 
VAR
    LONG SecondCnt, Stack[16]
    LONG Sync
   
PUB Main
  doInitialize
  repeat
    ' Send symbol set for KO7M CN87 7
    sendCode(string("<paste your own WSPR coded message here>"))

    noTone
    repeat while SecondCnt // Sync
      delay(100)

  
PUB doInitialize
  Sync := ROUND(1.0 / TXPercent * 2.0) ' Calculate when next transmission occurs in minutes
  Sync += (Sync // 2)                  ' Make sure we always send on a 2 minute boundary
  Sync *= 60                   ' Convert minutes to seconds                                                
  SecondCnt := 0               ' Reset the second counter to zero                       
  cognew(Clock, @Stack)        ' Start the clock COG
 
PUB sendCode(stringptr)
  if TXPercent > 0             ' TXPercent of zero indicates we are not transmitting                       
    repeat strsize(stringptr)
      sendSymbol(byte[stringptr++])


PUB sendSymbol(char)
  case char
   "0":
    sendTone(-3)
    delay(symbolLength)

   "1":
    sendTone(-1)
    delay(symbolLength)
   "2":
    sendTone(1)
    delay(symbolLength)
   "3":
    sendTone(3)
    delay(SymbolLength)

  
PUB sendTone(tone)
  Freq.Synth("A",RFPin, Frequency + tone + ErrorOffset)


PUB noTone
  Freq.Synth("A",RFPin, 0)


PUB delay(Duration)
  waitcnt(((clkfreq / 1_000 * Duration - 3932) #> WMin) + cnt)


PUB Clock                      ' Runs In its own COG
  repeat
    delay(1000)                ' Update second counter every 1000 ms
    SecondCnt++                ' Should be good for 2^32 seconds or about 136 years

Thursday, January 19, 2012

Winter Wonderland

We have had a bit of a winter storm hit over here and it has dumped about 8 inches of snow on the KO7M QTH.



The power went out this morning with the mains dropping to about 60 volts per side of the 220 mains.  Not good...  I pulled the main breaker and connected up my little Honda generator and am able to keep the furnace fan, refrigerator and a few lights running as well as the computer.  Right now we are having freezing rain.  The packed snow on the roads is rapidly turning to an ice rink.  Lots of fun in Seattle.

Wednesday, January 18, 2012

Beacon Power Output

My Propeller beacon is now on the air on 30 metres.  Currently running QRSS near the bottom of the band (10.140.000) sending "KO7M CN87" in 5 hz FSK.  Would love to have any reception reports.  Currently running around 7 mW into a fence-mounted vertical.  SWR is 1:1 fortunately.  :)  I will from time-to-time (on a whim) reconfigure it as I am now working on getting the WSPR beacon code to be autonomous which involves figuring out how to do the strict WSPR timing of transmissions.

More Propeller Frequency Stability

After wrapping the propeller board in foam, from a cold start, after about 30 minutes the frequency stabilized at about 30 Hz lower than the cold start value.


So, it appears that my chasing of this error correction value has been a bit of a boondoggle as I had not attended to the temperature stability of the device.  (Doh!)  I should be able to zero in on my ErrorOffset value and be able to let it be, or so I hope.


Tuesday, January 17, 2012

Propeller frequency stability

This evening, I have been experimenting a bit with my Propeller device.  I have a small script that turns on the RF synthesizer at 10_140_000 mHz for 30 seconds, off for 10 seconds etc.  I use it for calibration of the frequency of the board in use as different Propeller boards will have different amounts of error in frequency generation.  The script looks like this:

CON
  _CLKMODE = XTAL1 + PLL16X
  _XINFREQ = 5_000_000

 
  CLK_FREQ = ((_CLKMODE-XTAL1)>>6)*_XINFREQ
  MS_001 = CLK_FREQ / 1_000

 
  RFPin  = 27
 
  TxFreq      = 10_140_000
  ErrorOffset =       -467
  
  Frequency = TxFreq + ErrorOffset
 
VAR

OBJ
  Freq : "Synth"
 
PUB Main

  repeat
    sendTone(0)
    delay(30000)
    noTone   
    delay(10000)

PUB delay(ms) | t
  t := cnt - 1088               ' 1088 is published time for overhead
  repeat ms
    waitcnt(t += MS_001)


PUB sendTone(tone)
  Freq.Synth("A",RFPin, Frequency + tone)


PUB noTone
  Freq.Synth("A",RFPin, 0)


This simple little script I find to be very useful when I need to generate a signal at some frequency.  The on/off modulation of the signal allows me to find it more easily on uncalibrated receivers.

Viewing the output from a local receiver using Argo we find this waveform.  As you can see, my board has approximately -467 Hz of error which is corrected for in this script.  Nevertheless, as the board changes temperature, it does drift a bit.  As can be seen below I have drifted a hertz or two lower since calibration of the board was last done.


  I begin to wonder however why this ErrorOffset value seems to change when using the same board, just a different application.  For example my Hellscrieber code appears to transmit about 3 Hz lower with the same ErrorOffset value.  I added a 30 second carrier at the beginning of the code to see exactly what frequency it is on before launching into the transmission of FeldHell codes.  With the transmit frequency set to 10_139_980 and the same -467 ErrorOffset value, the following is observed:


I am clearly 5-6 Hz low.  The frequency is also different than in the previous example, so that may be related.  I think however that it may just be the drift of the device.  Going back to the Tune application, which should be a hertz or two low at 10_140_000, we see the following:


Hmmm...  So it appears that I am just chasing a temperature drift of the Propeller board over time.  Adding some thermal stabilization to it would probably help.  I will wrap it up in some foam and let it run for a while and see if the frequency stabilizes.

Here is a cold start image of my QRSS signal.  Out of the box, it seems that there is a significant drift:


And a few minutes later we can see it has drifted over 20 Hz:


 I will let it run and see where it stabilizes.

Monday, January 16, 2012

Hellschreiber QRSS using Propeller

Last evening, I shared the experience of creating a FeldHell-like QRSS beacon.  The bulk of the effort was in creating an acceptable font.  The Propeller chip has a rather nice font already in ROM but it is more suited for TV video output than for QRSS due to its 16x32 size.  I felt that this was too much bandwidth to occupy for a single signal in the QRSS band.

I created the font definition in a text editor and decided to try a 5x7 font initially.  With this format, each character is 5 bytes (one byte for each column of the font character).  For example, the letter "A" is represented thus:

     XXX
    X   X
    X   X
    XXXXX
    X   X
    X   X
    X   X

Each colum of the character in the 5x7 grid is encoded as a byte where the "X" character above is encoded as a set bit and the lack of an "X" is encoded as a 0.  So to create this, I defined all my characters (0..9, A..Z) as shown above in a text file.  I then imported the text file into a spreadsheet and rotated the rows and columns 90 degrees using the spreadsheet "Transpose" function.  This had the effect of laying all the characters down on their sides, thus:

     XXXXXX
    X  X
    X  X
    X  X
     XXXXXX

I then exported the file back to a text file for further processing.  You have to now imagine each of the font characters lying on their sides like the example above, occupying five very long lines of my text file.  I then globally replaced all the space characters (there is a space in each 5x7 grid anyplace there is no "X") with a "0" character and replaced the "X" characters with "1".  For the "A" character above, this resulted in:

    0111111
    1001000
    1001000
    1001000
    0111111

I then turned this mess into a valid DAT block containing binary byte values like so:

DAT
    ' FeldHell font definitions
    '             A         B         etc
    Col5 BYTE %0111111, %xxxxxxx, ...
    Col4 BYTE %1001000, %xxxxxxx, ...
    Col3 BYTE %1001000, %xxxxxxx, ...
    Col2 BYTE %1001000, %xxxxxxx, ...
    Col1 BYTE %0111111, %xxxxxxx, ...

Now I can index into this table and obtain the column data I need for each character.  So now in the main loop, I can call this procedure to process the beacon text:

PUB doFeldHellBeacon
    ' Send Feld Hell beacon text
    sendFeldHellString(string("KO7M CN87xp"))


PUB sendFeldHellString(strMsg)
    repeat STRSIZE(strMsg)
      sendFeldHellChar(BYTE[strMsg++])


The code to send each character is a quick hack, so don't beat me up too much.  I am still playing around with the timing to make it look nice.  Each character of the message text is looked up in the DAT table above to obtain the byte containing each of the 5 column definitions.  The character is sent from bottom left (least significant bit of Col1) to the top of the column and then proceeding with the next column until all five columns have been sent.  I test the least significant bit of each byte of column data and send a tone if it is set and send nothing if unset.  Right shift to get the next bit and continue for all 7 bits.

PUB sendFeldHellChar(ch) | i, j, iCol, columnData, Time
   
    Time := 300
   
    ' set up column index to default to space character
    iCol := -1
   
    case ch
      "a".."z": iCol := ch - "a" + 10
      "A".."Z": iCol := ch - "A" + 10
      "0".."9": iCol := ch - "0"
   
    if iCol < 0
      delay(Time*12)            ' Handle the space character specially
    else
      repeat i from 4 to 0               ' 5 columns in reverse order
        columnData := Col5[iCol+(i*36)]  ' get the current column data
        repeat j from 0 to 6
          if columnData & 1    ' If the font bit is set, send a tone
            sendTone(j*2)
          else
            noTone
          columnData >>= 1     ' Right shift font data to get next bit
          delay(Time)          ' Give a little space between columns

        noTone
      delay(Time*6)            ' Give a little more space between letters


So, that is it...  Simple, eh?  Since the font definition is  five really long lines of text, I am not going to post the entire program here.  If you would like to have a copy of it however, I will be happy to email it to you if you will drop me a comment to this post on the blog.

I will be creating "a".."z" characters in the font and some punctuation, but have no plans to create any characters beyond what would be in a typical QRSS message.  I am using Eldon's 10 minute QRSS sync algorithm for stacked grabbers.  See his article here.

Here is what it looks like on the air:

More Propeller Madness

Well, my old pal Eldon has really done it now...  So much for sleep it seems with new toys to play with...

I decided to implement FeldHell mode on my Propeller based QRSS/WSPR/Opera/CW beacon.  It was a bit fun figuring out the timing and the font, but here is a sample:


It is a simple 5x7 font and I draw each character from the lower left to the upper right resulting in the slight forward slant of the characters.  Right now I have only defined upper case characters and numerics in the font.

I will post the complete code after I have gotten some sleep...  :)

Sunday, January 15, 2012

Propeller Opera beacon up and running tonight

Today I have built a low-pass filter for my Propeller beacon on 30 metres.  The spectrum analyzer shows the second and subsequent harmonics more than 45 db down, so I have put it on the air tonight.  I am beaconing every 15 minutes using Opera mode running only 5.6 mW currently.

Here is the current setup.  As you can see Eldon and I have shared the low pass filter design that he created with the aide of a design program.


I am eager, but not too hopeful that this little pennywhistle signal will be picked up somewhere this evening.  We shall see.  Thanks Eldon for sharing your design and the components necessary to build the low pass filter!

WSPR on the propeller

Well, I could not help myself and started implementing a WSPR beacon on the propeller board.  For now, I am just going to impelement the transmit portion with a precompiled message and fixed delay between beacons.

I grabbed a copy of Joe Taylors wsprcode.exe application to determine the set of channel symbols that will make up my beacon message of "KO7M CN87 20".  Here is that code:

C:\bin>wsprcode "KO7M CN87 20"
Message: KO7M CN87 20
Source-encoded message (50 bits, hex): 8B CC 46 9D 56 B5 00
Data symbols:
      1 1 0 0 0 0 0 1 1 1 1 0 1 0 1 0 0 1 1 0 0 1 0 1 1 0 0 0 0 1
      1 1 1 0 0 1 1 1 0 0 1 1 1 1 0 0 1 1 1 0 1 0 0 0 1 0 1 0 0 0
      0 0 0 0 0 0 0 1 0 0 1 1 1 1 0 1 1 1 0 1 0 0 1 1 1 0 0 0 0 1
      0 0 0 1 1 0 1 0 0 1 1 1 0 1 0 0 0 1 0 0 1 1 0 0 0 0 1 0 0 1
      0 1 0 1 0 0 0 0 1 0 0 0 1 1 0 1 0 0 1 0 0 1 0 0 0 1 0 1 0 0
      1 0 1 1 1 1 1 0 0 0 0 1
Sync symbols:
      1 1 0 0 0 0 0 0 1 0 0 0 1 1 1 0 0 0 1 0 0 1 0 1 1 1 1 0 0 0
      0 0 0 0 1 0 0 1 0 1 0 0 0 0 0 0 1 0 1 1 0 0 1 1 0 1 0 0 0 1
      1 0 1 0 0 0 0 1 1 0 1 0 1 0 1 0 1 0 0 1 0 0 1 0 1 1 0 0 0 1
      1 0 1 0 1 0 0 0 1 0 0 0 0 0 1 0 0 1 0 0 1 1 1 0 1 1 0 0 1 1
      0 1 0 0 0 1 1 1 0 0 0 0 0 1 0 1 0 0 1 1 0 0 0 0 0 0 0 1 1 0
      1 0 1 1 0 0 0 1 1 0 0 0
Channel symbols:
      3 3 0 0 0 0 0 2 3 2 2 0 3 1 3 0 0 2 3 0 0 3 0 3 3 1 1 0 0 2
      2 2 2 0 1 2 2 3 0 1 2 2 2 2 0 0 3 2 3 1 2 0 1 1 2 1 2 0 0 1
      1 0 1 0 0 0 0 3 1 0 3 2 3 2 1 2 3 2 0 3 0 0 3 2 3 1 0 0 0 3
      1 0 1 2 3 0 2 0 1 2 2 2 0 2 1 0 0 3 0 0 3 3 1 0 1 1 2 0 1 3
      0 3 0 2 0 1 1 1 2 0 0 0 2 3 0 3 0 0 3 1 0 2 0 0 0 2 0 3 1 0
      3 0 3 3 2 2 2 1 1 0 0 2
Decoded message: KO7M CN87 20             ntype: 20

I then created a propeller procedure that sends this set of channel symbols based on code stolen from Eldon for his Opera beacon:

PUB Main
  repeat
    ' Send symbol set for KO7M CN87 20
    sendCode(string("330000023220313002300303311002222012230122220032312011212001101000031032321232030032310003101230201222021003003310112013030201112000230300310200020310303322211002"))   
    delay(120000)


For the moment I am ignoring all the timing code that requires WSPR transmissions to start on an even minute boundary.  I just want to see if I can manually start this thing at the correct time and have Joe Taylor's WSPR application decode it.

So as I did in my Arduino WSPR beacon, I am setting the transmit frequency to be the middle of the four symbol set.  On typical SSB transmitters a USB frequency setting for 30 metre band of 10.138.700 is used and a tone of 1500 Hz would yield a "transmit frequency" of 10.1402 at the middle of the 200 Hz WSPR band.  There is no clear definition from any WSPR documentation what is meant by this "transmit frequency", so...

In the absence of clarity from Joe Taylor's documentation, I have chosen to define the transmit frequency like this:

Each symbol is 1.4648 Hz apart and the transmit frequency is mid-way between symbols 1 and 2. Band edge operations need to take this into account if you wish to stay within the defined WSPR frequency range with the entire 6 Hz spectrum occupied by the complete WSPR signal.

However, my stolen code has the ability to set the frequency with a 1 Hz resolution, so I have used 2 Hz rather than 1.4648 Hz symbol separation just for grins.  Therefore, symbol offsets from the transmit frequency are as follows:

    Symbol 0    -3 Hz
    Symbol 1    -1 Hz
    Symbol 2    +1 Hz
    Symbol 3    +3 Hz

Here is the (stolen) sendCode function:

PUB sendCode(stringptr)
  repeat strsize(stringptr)
    sendSymbol(byte[stringptr++])


sendSymbol offsets the frequency from the transmit frequency as appropriate for the symbol being sent (the first bit of code I have actually written):

PUB sendSymbol(char)
  case char
   "0":
    sendTone(-3)
    delay(symbolLength)

   "1":
    sendTone(-1)
    delay(symbolLength)
   "2":
    sendTone(1)
    delay(symbolLength)
   "3":
    sendTone(3)
    delay(symbolLength)


symbolLength is 8192 / 12000 seconds or about 683 milliseconds.

CON
  symbolLength = 683

sendTone and noTone do the work of setting the frequency (dutifully stolen from the work of others).  The Freq object can be found in the Parallax object library at their web page.

PUB sendTone(tone)
  Freq.Synth("A",RFPin, Frequency + tone)

PUB noTone
  Freq.Synth("A",RFPin, 0)


So with all this in place, I fired up Joe Taylor's WSPR application, tuned it to my propeller beacon and flipped the switch at the start of an even minute...  Here is the Argo display of the unfiltered RF on 30 metres:

Here is the WSPR application display of the reception of this signal:


It seems that WSPR is robust enough for me to get cavalier about timing and non-phase continuous FSK modulation.  Nice work Joe Taylor!

So, for the curious, here is the entire WSPR beacon test code thus far.  Remember it sends "KO7M CN87 20" as the message.  Use Joe's application to generate your own WSPR message string and paste it into the main procedure.  It also does not know when an even minute begins, so that must be done manually by powering on the Propeller board at the correct moment, but not bad for a quick hack...

CON
  _CLKMODE = XTAL1 + PLL16X
  _XINFREQ = 5_000_000

  CLK_FREQ = ((_CLKMODE-XTAL1)>>6)*_XINFREQ
  MS_001 = CLK_FREQ / 1_000

  RFPin  = 27
  XcvrDial    = 10_138_700
  TuneOffset  =      1_500

  Frequency = XcvrDial + TuneOffset          '10.140200 mHz
  symbolLength = 683   ' 8192 / 12000 * 1000 = milliseconds

VAR
OBJ
  Freq : "Synth"


PUB Main
  repeat
    ' Send symbol set for KO7M CN87 20
    sendCode(string("330000023220313002300303311002222012230122220032312011212001101000031032321232030032310003101230201222021003003310112013030201112000230300310200020310303322211002"))
    noTone   
    delay(120000)


PUB delay(ms) | t
  t := cnt - 1088               ' 1088 is published time for overhead
  repeat ms
    waitcnt(t += MS_001)

PUB sendCode(stringptr)
  repeat strsize(stringptr)
    sendSymbol(byte[stringptr++])

PUB sendSymbol(char)
  case char
   "0":
    sendTone(-3)
    delay(symbolLength)

   "1":
    sendTone(-1)
    delay(symbolLength)
   "2":
    sendTone(1)
    delay(symbolLength)
   "3":
    sendTone(3)
    delay(SymbolLength)
   

PUB sendTone(tone)
  Freq.Synth("A",RFPin, Frequency + tone)

PUB noTone
  Freq.Synth("A",RFPin, 0)


Next I should look at the Freq object implementation and see if I can get better than 1 Hz resolution on the numerically controlled oscillator.



Saturday, January 14, 2012

First Opera reception

Well, thanks to my buddy Eldon WA0UWH, I have been drug kicking and screaming into the world of Opera QRSS and the Propeller processor.

Stealing judiciously from the work of others, I have put together a beacon using the propeller processor and have Opera v1.1.0 beta up and running.  This morning I heard myself first (imagine that...) and then N7VVX down in Utah.  So, it seems another diversion is born...  Thanks Eldon...  :|


Before I can really put the propeller on the air, I will need to build a low pass filter for it as the output is a square wave.  The reception of my own call (KO7M) is without any antenna on the propeller board.  My idea for my low pass filter board is to have a set of switchable (via software) low pass filters on a single board that should be useful for this and my Arduino WSPR beacon.

Wednesday, January 4, 2012

Az-El mount

Found an interesting Az-El / Pan-Tilt mount today at http://www.flir.com/mcs/products/ptu-d300/rf/Documentation/index.cfm.  Quite the nice little unit.  I suspect they are quite proud ($$$) of it but have not been able to find any pricing information online.