PYTHON SCRIPT: JS8 RSS NEWS READER

I started working on a project with my friend Justin in 2022, we were able to put several months in and conducted a lot of experiments.

To learn more about what we have been trying to do: RADENGINEERING.TECH

We haven’t given up on the project, but we both have to make money, to get by, and we don’t have the time to put much more into it …

In order to promote this project, I was asked to build a simple RSS newsreader, operating using JS8 protocol, accessing some of the software’s API and using log files for monitoring. Not a lot of code allowed for a pretty cool experience, where headlines were being sent using CB RADIO, 11M, 27.245 MHZ.

Do with it what you will.

SQL Code (for MySQL): https://planetarystatusreport.com/RSS.TXT

https://youtube.com/watch?v=1nxT5ZXOt-c
#Daniel John Sullivan, CEO, Rad Engineering, 3/23/22

#This is a news agent/script, a prototype
#Service, utilizing JS8 as a proxy agent
#to encode messages and decode from our
#transceiver

#JS8 Callsign for this service - N3W5 or NEWS ...

#1. monitor directed file for requests
#2. respond to new requests
#3. grab RSS feed data

#there are a few python modules that need
#to be installed: maidenhead, feedparser, bs4
# anyascii, and perhaps one or two others
# just be comfortable using pip3 to install
# these other modules / libraries

from __future__ import print_function

import os
import feedparser
import os.path, time
import json
import math
import time
import maidenhead as mh
import urllib.parse as pr
import xml.etree.ElementTree as ET
from bs4 import BeautifulSoup as BS
from requests import get
from os.path import exists
from socket import socket, AF_INET, SOCK_STREAM
from decimal import Decimal
from datetime import datetime, date, timedelta
from anyascii import anyascii
import mysql.connector

### globals ###

DPath = "/home/pi/.local/share/JS8Call/DIRECTED.TXT"

# server/port info for connecting to the JS8 Call application
# while it is running, it can act as a message server/proxy
# for your radio kit ... we are still figuring out the API
# so right now, it's just 'send' capabilities we are using
# - DJS, 3/19/22

JS8Server = "127.0.0.1"
JS8PortNum = 2442

#make sure you open port 2442 prior to opening JS8 application
#ubuntu command: sudo ufw allow 2442
server = (JS8Server, JS8PortNum)

servern = "localhost";
portn = 3306
usern = "DBUSER";
passw = "DBPASSWORD";
dbn = "DBNAME";

#mode 1: just top stories from each feed, sent just once
#mode 2: active engagement mode
#mode 3: just one service

newsServiceM3 = "ONION"

newsMode = 3

bigSleep = 90

### end of globals ###

def from_message(content):
	try:
		return json.loads(content)
	except ValueError:
		return {}

def to_message(typ, value='', params=None):
	if params is None:
		params = {}
	return json.dumps({'type': typ, 'value': value, 'params': params})

class JS8Client(object):

	def __init__(self):
		self.PttON = False
		self.LastPtt = datetime.now()

	def process(self, message):
		typ = message.get('type', '')
		value = message.get('value', '')
		params = message.get('params', {})
		if not typ:
			return
		if typ in ('RX.ACTIVITY',):
			# skip
			return

		if value and typ == "RIG.PTT":
			if value == "on":
				self.PttON = True
				self.LastPtt = datetime.now()
				print("PTT ON")
			if value == "off":
				self.PttON = False
				print("PTT OFF")
				
	def send(self, *args, **kwargs):
		params = kwargs.get('params', {})
		if '_ID' not in params:
			params['_ID'] = '{}'.format(int(time.time()*1000))
			kwargs['params'] = params
		message = to_message(*args, **kwargs)
		self.sock.send((message + '\n').encode()) # remember to send the newline at the end :)

	def GetStationStatus(self):
		self.sock = socket(AF_INET, SOCK_STREAM)
		self.sock.connect(server)
		self.connected = True
		try:			
			self.send("TX.GET_TEXT", "")
			content = self.sock.recv(65500)
			message = json.loads(content)
			
			typ = message.get('type', '')
			value = message.get('value', '')
			
			if typ == "TX.TEXT":
				vt = value.strip()
				if len(vt) < 1:
					return "OPEN"
				else:
					return "CLOSED"
			else:
				return "CLOSED"
		except:
			return "CLOSED"
		finally:
			self.sock.close()

	def SendToJS8(self, JS8Message):
		self.sock = socket(AF_INET, SOCK_STREAM)
		self.sock.connect(server)
		self.connected = True
		try:			
			self.send("TX.SEND_MESSAGE", JS8Message)
			content = self.sock.recv(65500)
			print(content)
		except:
			print("Error sending message to JS8 via API.")
		finally:
			self.sock.close()

	def close(self):
		self.connected = False

#### END OF CLASS DEFINITION FOR JS8 API INTERFACE ####

def GetArt(number):
	# Connect with the MySQL Server
	cnx = mysql.connector.connect(user=usern, database=dbn, password=passw, host=servern, port=portn)
	qry = "select ARTICLE, SOURCE, LINK from RSS where ID = %s" % (number)
	cur = cnx.cursor(buffered=True)
	cur.execute(qry)
	retRes = cur.fetchall()
	cnx.close()
	return retRes[0]

def GetTopHourly(source):
	# Connect with the MySQL Server
	cnx = mysql.connector.connect(user=usern, database=dbn, password=passw, host=servern, port=portn)
	qry = "select ID, TITLE, PUBLISHED, SOURCE, length(ARTICLE) as LOF from RSS where SOURCE = '%s' order by PUBLISHED desc limit 1" % source
	cur = cnx.cursor(buffered=True)
	cur.execute(qry)
	retRes = cur.fetchall()
	cnx.close()
	return retRes

def GetTop(source, number):
	# Connect with the MySQL Server
	cnx = mysql.connector.connect(user=usern, database=dbn, password=passw, host=servern, port=portn)
	qry = "select ID, TITLE, PUBLISHED, SOURCE, length(ARTICLE) as LOF from RSS where SOURCE = '%s' order by PUBLISHED desc limit %s" % (source, number)
	cur = cnx.cursor(buffered=True)
	cur.execute(qry)
	retRes = cur.fetchall()
	cnx.close()
	return retRes

def AlreadySaved(link):
	# Connect with the MySQL Server
	cnx = mysql.connector.connect(user=usern, database=dbn, password=passw, host=servern, port=portn)
	qry = "select ID from RSS where LINK = '" + link + "'"
	cur = cnx.cursor(buffered=True)
	cur.execute(qry)
	cur.fetchall()
	rc = cur.rowcount
	cnx.close()
	if rc > 0:
		return True
	else:
		return False

def SaveRSS(source, title, link, published, article):

	tit = title.replace("'", "''")

	clean_text = anyascii(article)
	
	art = str(clean_text)

	art = art.replace("'", "''")
	
	if len(art) > 5000:
		art = art[0:5000]
	
	cnx = mysql.connector.connect(user=usern, database=dbn, password=passw, host=servern, port=portn)
	
	cur = cnx.cursor()

	qry = """
	INSERT INTO RSS
	(SOURCE, 
	LINK, 
	TITLE, 
	PUBLISHED, 
	ARTICLE) 
	VALUES 
	(%s,%s,%s,%s,%s)
	""" 
	
	val = (source, link, tit, published, art)

	cur.execute(qry, val)

	cnx.commit()
	
	cnx.close()

def GrabRSS(RssURL, SourceName):

	hdrs = {'User-Agent': 'Mozilla/5.0 (Macintosh; Intel Mac OS X 10_11_5) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/50.0.2661.102 Safari/537.36'}

	NewsFeed = feedparser.parse(RssURL)

	for na in NewsFeed.entries:

		try:
			print(na.title)
			print(na.link)
			print(na.published)
			print(na.published_parsed)
		except:
			continue
			
		if AlreadySaved(na.link):
			continue

		print("*************************")

		response = get(na.link, None, headers=hdrs)

		print(na.keys())

		soup = BS(response.content, 'html.parser')
	
		txtChunk = ""

		for data in soup.find_all("p"):
			txtval = data.get_text()
			txtval = txtval.strip()
			txtarr = txtval.split()
		
			if len(txtarr) == 1:
				continue
		
			if "posted" in txtval and ("hours" in txtval or "days" in txtval) and len(txtarr) == 4:
				continue
			
			if txtval == "No Search Results Found":
				continue
			
			if txtval == "Terms of Service":
				continue
		
			if txtval == "Advertise with us":
				continue
			
			if txtval == "Media Inquiries":
				continue

			txtChunk += " " + txtval + "\n"
	
		tyr = na.published_parsed[0]
		tmn = na.published_parsed[1]
		tdy = na.published_parsed[2]
		thr = na.published_parsed[3]
		tmi = na.published_parsed[4]
		tsc = na.published_parsed[5]
	
		ptms = "%s-%s-%s %s:%s:%s" % (tyr, tmn, tdy, thr, tmi, tsc)	
	
		SaveRSS(SourceName, na.title, na.link, ptms, txtChunk.strip())
	
		print(txtChunk.strip())

def debugHere():
	input("Press enter to continue ...")

def clearConsole():
	command = 'clear'
	if os.name in ('nt', 'dos'):  # If Machine is running on Windows, use cls
		command = 'cls'
	os.system(command)

def TopStoriesFrom(news, numof):
	
	s = JS8Client()

	ti = GetTop(news, numof)
	
	for t in ti:
			
		pubarr = str(t[2]).split()	
		pubdte = pubarr[0]
		ct = t[1].replace("''","'")
		# ID, TITLE, PUBLISHED, SOURCE, LOF
		
		lof = int(t[4])

		moreLink = ""
		
		#if lof > 40:
		#	moreLink = "4MORE: N3WZ [ART]: %s" % t[0]	
		
		#headline = "%s HEADLINE [%s] '%s', #%s %s" % ("@ALLCALL", pubdte, ct, t[3], moreLink)  
		
		#headline = headline.strip()
		
		headline = "%s HEADLINE [%s] '%s', #%s" % ("@ALLCALL", pubdte, ct, t[3]) 
		
		print(headline)
		
		while s.GetStationStatus() == "CLOSED":
			print("Waiting to send ..." + str(datetime.now()))
			time.sleep(2)
		s.SendToJS8(headline)
		while s.GetStationStatus() == "CLOSED":
			print("Waiting to send ..." + str(datetime.now()))
			time.sleep(2)
		time.sleep(bigSleep)

def TopStoriesFromAll():
	
	s = JS8Client()

	ti = GetTopHourly("INFOWARS")
	tn = GetTopHourly("NYT")
	tz = GetTopHourly("ZEROHEDGE")
	ty = GetTopHourly("YAHOO")
	tc = GetTopHourly("CNN")
	tb = GetTopHourly("BBC")
	
	tops = []
	
	tops.append(ti[0])
	tops.append(tz[0])
	tops.append(ty[0])
	tops.append(tc[0])
	tops.append(tn[0])
	tops.append(tb[0])

	for t in tops:
		pubarr = str(t[2]).split()	
		pubdte = pubarr[0]
		ct = t[1].replace("''","'")
		
		# ID, TITLE, PUBLISHED, SOURCE, LOF
		
		lof = int(t[4])

		moreLink = ""
		
		if lof > 40:
			moreLink = "4MORE: N3WZ [ART]: %s" % t[0]	
		
		headline = "%s HEADLINE [%s] '%s', #%s %s" % ("@ALLCALL", pubdte, ct, t[3], moreLink)  
		
		print(headline)
		while s.GetStationStatus() == "CLOSED":
			print("Waiting to send ..." + str(datetime.now()))
			time.sleep(2)
		s.SendToJS8(headline)
		while s.GetStationStatus() == "CLOSED":
			print("Waiting to send ..." + str(datetime.now()))
			time.sleep(2)
		time.sleep(bigSleep)

def TopStories(messageInfo):
	
	s = JS8Client()
	
	try:	
		#2S5: N3WZ  [TOP]: NYT, 1
		mp = messageInfo.split(':')
		
		if len(mp) < 3:
			return

		callsign = mp[0].strip()
		step1 = mp[2].strip()
		step2 = step1.split(',')
		rn = step2[1].strip().split()
		src = step2[0].strip()	
		numberOf = rn[0].strip()

		print("Handling %s request ..." % src)
		print(messageInfo)
		print("From: " + callsign)
		print("Top: " + numberOf)

		tops = GetTop(src, numberOf)
			
		for t in tops:
			pubarr = str(t[2]).split()	
			pubdte = pubarr[0]
			# ID, TITLE, PUBLISHED
			ct = t[1].replace("''","'")
			
			# ID, TITLE, PUBLISHED, SOURCE, LOF
			
			lof = int(t[4])

			moreLink = ""
			
			if lof > 40:
				moreLink = "4MORE: N3WZ [ART]: %s" % t[0]	
			
			headline = "%s HEADLINE [%s] '%s', #%s %s" % (callsign, pubdte, ct, t[3], moreLink)  
			
			print(headline)
			while s.GetStationStatus() == "CLOSED":
				print("Waiting to send ..." + str(datetime.now()))
				time.sleep(5)
			s.SendToJS8(headline)
			while s.GetStationStatus() == "CLOSED":
				print("Waiting to send ..." + str(datetime.now()))
				time.sleep(5)
			time.sleep(bigSleep)		

	except:	
		print("An exception occurred: getting top stories")
	
def handleArticle(messageInfo):
	
	try:
		#K7IAC: N3W5 [ART]: 237 ♢  
		
		s = JS8Client()
		
		mp = messageInfo.split(':')
		
		if len(mp) < 3:
			return
		
		callsign = mp[0].strip()
		
		step1 = mp[2].strip().split()

		number = step1[0].strip()

		print("Handling article request ...")
		print(messageInfo)
		print("From: " + callsign)
		print("Article: " + number)

		recd = GetArt(number)
		
		art = recd[0]
		src = recd[1]
		lnk = recd[2]
		
		if len(art) > 150:
		
			art2 = art.replace("\n", " ")
			art2 = art2.replace("''","'")
		
			print("bigger than 150 chars")
			
			if len(art2) > 500:
				art2 = art2[0:500]
			
			pts = math.ceil((len(art2)/150))
			buffr = ""
			part = 1
			for c in art2:
				buffr += c
				if len(buffr) == 150:
				
					artInfo = "%s ART_%s %s #%s (%s/%s)" % (callsign, number, buffr, src, str(part), str(pts))  
				
					print(artInfo)
					
					s.SendToJS8(artInfo)
					
					buffr = ""
					part += 1
					time.sleep(1)
					while s.GetStationStatus() == "CLOSED":
						print("NEWS SERVICE TIME: " + str(datetime.now()))
						time.sleep(1)
					time.sleep(60)
			
			if len(buffr) > 0:
				artInfo = "%s ART_%s %s #%s (%s/%s)" % (callsign, number, buffr, src, str(part), str(pts))  
				print(artInfo)
				s.SendToJS8(artInfo)
				buffr = ""
			time.sleep(bigSleep)

		else:		
			art2 = art.replace("\n", " ")
			art2 = art2.replace("''","'")
			# ARTICLE, SOURCE
			artInfo = "%s ART_%s %s ... (MORE @ %s)" % (callsign, number, art2, src)  
			print(artInfo)
			while s.GetStationStatus() == "CLOSED":
				print("Waiting to send ..." + str(datetime.now()))
				time.sleep(5)
			s.SendToJS8(artInfo)
			while s.GetStationStatus() == "CLOSED":
				print("Waiting to send ..." + str(datetime.now()))
				time.sleep(5)
			time.sleep(bigSleep)
	except:
		print("An exception has occurred: getting news article")

def NewsCycle(DirectedPath):
	
	prevDLineNo = 0

	newsl = "news_line.txt"

	if(exists(newsl)):
		tf = open(newsl, "r")
		tfs = tf.read().strip()
		if(tfs != ""):
			prevDLineNo = int(tfs)
		tf.close()

	readerf = open(DirectedPath)

	CALLSIGN = ""
		
	UTCDTM = ""
		
	MSGINFO = ""

	dirLine = 0
		
	uploaded = 0
		
	try:
		# Further file processing goes here
		for x in readerf:

			#0 UTC,1 FREQ,2 OFFSET,3 SNR, 4 MESSAGE

			recd = x.split('\t')

			UTCDTM = recd[0]
			
			OFFSET = recd[2]
			
			SNR = recd[3]
			
			FREQ = recd[1]
			
			MSG = recd[4]
										
			dirLine += 1
				
			if(dirLine > prevDLineNo):
			
				if "[ART]:" in MSG:
					handleArticle(MSG)

				if "[TOP]:" in MSG:
					TopStories(MSG)

				wf = open(newsl, "w")
				wf.write(str(dirLine))
				wf.close()
	
	finally:
		readerf.close()

def CycleFeeds():
	infowars = "https://www.infowars.com/rss.xml"
	zh = "https://feeds.feedburner.com/zerohedge/feed"
	yahoo = "https://news.yahoo.com/rss/"
	cnn = "http://rss.cnn.com/rss/cnn_topstories.rss"
	bbc = "http://feeds.bbci.co.uk/news/world/us_and_canada/rss.xml"
	nyt = "https://rss.nytimes.com/services/xml/rss/nyt/HomePage.xml"
	onion = "https://www.theonion.com/rss"
	bb = "https://babylonbee.com/feed"
	print("Grabbing Babylon Bee ...")
	GrabRSS(bb, "BB")
	print("Grabbing ONION ...")
	GrabRSS(onion, "ONION")
	print("Grabbing INFOWARS ...")
	GrabRSS(infowars, "INFOWARS")
	print("Grabbing ZEROHEDGE ...")
	GrabRSS(zh, "ZEROHEDGE")
	print("Grabbing YAHOO ...")
	GrabRSS(yahoo, "YAHOO")
	print("Grabbing CNN ...")
	GrabRSS(cnn, "CNN")
	print("Grabbing BBC ...")
	GrabRSS(bbc, "BBC")
	print("Grabbing NYT ...")
	GrabRSS(nyt, "NYT")

# FEEDS:
# 1. INFOWARS: https://www.infowars.com/rss.xml
# 2. ZEROHEDGE: https://feeds.feedburner.com/zerohedge/feed
# 3. YAHOO: https://news.yahoo.com/rss/
# 4. CNN: http://rss.cnn.com/rss/cnn_topstories.rss

clearConsole()
time.sleep(2)
print("Starting NEWS Server .")
time.sleep(1)
clearConsole()
print("Starting NEWS Server ..")
time.sleep(1)
clearConsole()
print("Starting NEWS Server ...")
time.sleep(1)
clearConsole()
print("Starting NEWS Server ....")
time.sleep(1)
clearConsole()

CycleFeeds()

if newsMode == 1:
	TopStoriesFromAll()

if newsMode == 2:

	ptime = datetime.now()
	
	while True:
		ntime = datetime.now()

		print("NEWS SERVICE: " + str(ntime))

		time.sleep(1)
		clearConsole()
		NewsCycle(DPath)	
		clearConsole()

		tdiff = ntime - ptime

		if tdiff.seconds > (60 * 5):
			print("Grabbing RSS feed info ...")
			ptime = datetime.now()
			CycleFeeds()
	
if newsMode == 3:
	TopStoriesFrom(newsServiceM3, 4)
	

I’m beginning to think …

I’m beginning to think the approach I’ve been taking with JS8 call is a bridge too far – and that I would be better off learning to compile the code, and just create my own branch. Make the changes I want in C++ to include interop with websites that are accessible on some given network using standard REST calls. Also, allow it a scripted response model so that any given JS8Call app can act as a “radio service” taking messages, and replying. Also, add in flexible topology and multi-app running instances on the same computer. Who knows, add in a built in connector for MYSQL for data logging and event logging for outside of process coding and scripting by other consumers … so I don’t know if I can, I’m 53 and burnt out and believe the world could explode, figuratively, in a few months.

But is it the end of the world? – no, not by a long shot …

So maybe I try.

Will it be easy? – don’t know … I think

And here’s the other thing …

JS8Call, RIGHT NOW, AS IS would allow you to build an organic twitter style decentralized relationship with other people using CB radio and this network WORKS even if the WWW is down … is it good for secrets, as is? – no … is it good enough for the public square? – yes.

You could sell eggs, right now, using JS8Call on CB Radio – just need to expand the network, more users, bigger world.

And I would think a lot of real anarchists and libertarians would be into this …

CB RADIO – NO HAM LICENSE …

(and then we go from there)

And this is all in JS8CALL.COM right now.

With some work? – who the fuck knows what’s possible.

I feel like the world of shortwave radio, and CB, needs a revolution – and this could be the beginning.

RADENGINEERING.TECH

RAD-TERMINAL: HOW TO HAVE FREE OFF GRID INTERNET 4-LIFE!

Where: https://www.preppershowsusa.com/prepper-show/be-prepared-expo-2022/

When: 4/23/2022, 11 AM MST (Utah Time)

Room: Classroom B

What: Class/Presentation “RAD ENGINEERING: FIFL”

Presenters: Justin Land and Dan Sullivan

Outline:

  1. Introduction: How we got into this, the story of RAD ENGINEERING. WHAT IS THE RAD TERMINAL? (5 minutes)
  2. Hardware: a) radio, b) computer, c) linkages and wiring … history of the radio tech and how it’s being used. JS8 (20 minutes)
  3. Software: history of WWW, what happened to TECH in the 70’s … why couldn’t we hook up TRS-80 / C64 computers to a CB in 1983 … what are bulletin boards? – how is radio LIKE a bulletin board … encryption strategies … encoding … ARS: Amateur Radio Services … what is an ARS? – remote procedure calls over CB radio, hitting python-agent receivers, hooking into actions … >sendto: >email: >payment: … command tags … EDI for radio? – small compact messaging AND payment services using voice recognition (20 minutes)
  4. Q/A (15 minutes)

THE RAD MANIFESTO: radengineering.tech

MP3: https://planetarystatusreport.com/mp3/20220225_A_RAD_MANIFESTO.mp3

Donate: https://www.paypal.com/paypalme/doctorfreckles

"If it doesn't work, we don't give up, we try something else." - Dr. Freckles (or someone he ripped off that said the same thing)

I’ll get this out of the way – the ideas presented below are not SPECIAL or even original … I dunno … I don’t think I’m a dummy, but I’m certain many dummies don’t think they are … I don’t think I’m special, I’m just tired of the LEARNED HELPLESSNESS. I think we have a right to dream and do, as we have a right to breathe.

We support RIGHT-TO-REPAIR at RADENGINEERING.TECH, everything we design, we document, software or hardware, will be OPEN … we can’t control our suppliers … but we can foster NEW freedom friendly suppliers …

What you see below is not our companies vision in any complete or limited form … we reserve the right, as we succeed or fail, to add new dreams to our list.

Is it possible others are working on now or have solved the problems listed below? – I HOPE THEY HAVE … and if they have, they should consider the open source and right-to-repair philosophy … it isn’t communism, it is human understanding. You can’t enforce this philosophy, but that’s ok … there will always be assholes. We want to make money, but we also want to change the world.

… finally …

We reserve the right to fail and try again.

We reserve the right to dream.

Here is what we dream of doing:

  1. THE RAD TERMINAL: this will begin as a home-brew movement, but we have the goal of building a ruggedized all-in-one terminal, with antenna deployment pack and DC battery power, within 1 year – version ONE of the RAD TERMINAL … RT-1. This system will be designed with right-to-repair features, to include simple, swappable, modules for components that have high variability within radio or computer design. As of this writing, 2/25/22, we are still in home brew phase.
  2. We talked about RTR (right-to-repair) already in terms of all our component designs and documentation.
  3. Rad TRUCK: this will be a self-sufficient (as possible given power features) communications node that would be useful in connection with WiFi based MESH networks AND as a local internet hub for folks that want their own local game nets, email, etc … and they don’t need to be connected ANYWHERE else.
  4. Project RTR #1: Local source all non-cpu, non-ram electronic components.
  5. Project RTR #2: Design and build a 3D printing system for CPU and RAM.
  6. We want to do #1 and #2 simultaneously, and that leads to project FREEDOM.
  7. Project Freedom: a project to build a 100% local sourced (within a few hundred miles, up to 2,000 miles) computer that is capable of running LINUX. It would be 100% right-to-repair friendly, to include a PDF describing how YOU TOO can build a system for 3D printing CPUs … and as much useful knowledge as we can share.
  8. Project Freedom has a sister project: Project RADIO: to design and build a 100% local sourced right-to-repair friendly radio system. We want to optimize component layout to make some parts of the radio optimized, stationary on the board (still repairable), and other parts in RTR-friendly component boxes that fold out, from a cube or cube-like module, where anyone can work on those parts too … but, perhaps certain intrinsically different radio components can be placed in a swap module component box – and that would mean switching bands/frequencies/wavelengths, event to include WiFi, would be as simple as swapping out a plastic plug, with an easy pop button.
  9. Project Tesla: a remotely controlled drone for radio-repeater operations. This will allow the use of microwave technology for data exchange, at high altitudes, and this system LINKED to ground RAD TERMINAL devices for even higher rates of no-nonsense communication.
  10. Project Space Diver: this will be our first foray into aerospace and tourism/entertainment/travel. We will run a “you can jump from the edge of space” business, where we design a very safe “pod” that is lifted to 20 miles, and has a velocity reduction/control multi-stage parachute system. Plus, we want to design a reusable/rechargeable balloon system, for hydrogen at first … the dangers from combustion are vastly reduced as you go up in altitude. This will be a way for people to see the “curve”, and I think we can reach a price point of around $1000.00 per dive. Again – they will be in an aerodynamically sound pod, with a pressure suit on in case of decompression. We will have as many safeguards against accidental harm as is feasible – but we’re talking about 20 miles up … so it’s dangerous, no matter the pod.
  11. Project S’klider: this will be our second foray into aerospace. This will be a tourism/entertainment like “Space Diver”, but we’re hoping ordinary people will be able to buy them, here’s the concept: design a lightweight glider, for high altitudes, that can fold into a gondola for a blimp type hydrogen balloon system. At say, 15 miles up, the balloon deflates and is pulled back into the glider, and the glider can then proceed, folding out its wings, like a well designed glider for high/medium altitudes. The S’klider should be able to repeat this maneuver, even in mid air, but slowly filling the balloon back up with stored hydrogen. The idea: you could glide a LONG WAYS, especially if you have atmospheric thermal mapping hardware and software, with a well designed glider … perhaps thousands of miles with AI computer assistance for optimal thermal altitude gain.
  12. Project FAST: quantum radio … I think IBM has been sitting on this … it would be hyper-bandwidth powerful, hyper-de-centralized, hyper-liberating … the internet would be dead after this … pretty much everyone would use a quantum radio … and encryption? – that gets fun using synchronized noise for message embedding … or quantum steganography …. fun …
  13. Project View: a high altitude array of dirigible micro-observatories … astronomical in nature. We would like to take high resolution pictures by combining many smaller high altitude drones into one large array optical telescope. You could have these all around the globe. They could assist in the early detection of dangerous near earth objects.
  14. Project Vacuum: the design and construction of a vacuum ship using magnetic field engineering to create an inner structure of force, whereby creating mass-free structure that can encapsulate a vacuum. This kind of ship would be “lighter than air” but in a very powerful way and it could allow for single-stage-to-orbit rocket ships.
  15. Project Orbit: if Project Vacuum is successful, build a convertible vacuum ship dirigible system, with a gondola system designed like a lifting body glider, so that in case of vacuum envelope failure, the gondola itself could breakaway and the passengers could land safely. This ship would use a standard chemical rocket engine to achieve orbit, but would be lifted by its vacuum envelopes to an optimal altitude. The ship would be capable of maneuvering around the planet, at 20 miles, to find an optimal launch location for orbit.
  16. Project D.B. Cooper: a jacket/pant system that, if worn onto a plane, would allow a person to have a better chance of surviving a catastrophic failure of a passenger airliner. The system would be designed with carbon fiber and kevlar structuring to ensure protection against shrapnel, and an easy to deploy parachute system. For more money? – you get the 20 lb raft/radio combo … not sure about the sharks though.
  17. Project Mars: Orbit + synthetic gravity drive
  18. Project Stellar: Mars + focal synthetic gravity => space time cavitation => low density space time => mole drive, basically a mole drive using synthetic, projected, moments of synthetic gravity. This would reduce space time distance, the same way a mole, tunneling through the earth does it … little bits at a time … but the attraction principles would become nonlinear as speed increased, and this is an interesting area of research. Bottom line: worm holes work, but are very dangerous … this usese Einstein-Rosen Bridge concepts, but on a micro basis
  19. G-Ray: Build a gamma ray laser …
  20. We want to sponsor an expedition to Antarctica … Justin might not want to go, that’s ok, I might want him to man our base station repeater system as I read AT THE MOUNTAINS OF MADNESS … from fucking Antarctica … over shortwave radio with repeaters. But we also want to map the continent, and explore it.
  21. Freeze Ray: discover a useful and non-hazardous quantum endothermic particle that would cancel out the effects of photons
  22. New ZTuff: design a means of constructing useful synthetic matter from pure energy …
  23. OPEN PHP: if there isn’t an open php initiative, I want to start one … easy custom builds … transparent module viewing AND swapping for custom builds … and an ALL IN ONE deployable PHP friendly web server … other languages/APIs will work with it, but the most advanced, easy to control, PHP language and server will always be the best. We will also develop a simplified serialization and storage system that installs with the system, you can set how much memory you want it to use, both RAM and hard drive …
  24. Temperature tolerant cheap and durable super conductive material, with the same malleability features of copper.
  25. We want to foster the mentoring of young people in technology, sciences, math, so that our lives, though never perfect, can be far more kind and at peace and joy filled.

(we won’t be doing time travel – that’s crap)

JS8 Commands for API (TCP/IP)

Messages from JS8Call
CLOSE – JS8Call has been closed
INBOX.MESSAGES – A list of inbox messages
INBOX.MESSAGE – A single inbox message
MODE.SPEED – The current TX speed
PING – Keepalive from JS8Call
RIG.FREQ – The rig frequency has been changed
RIG.PTT – PTT has been toggled
RX.ACTIVITY – We received something
RX.BAND_ACTIVITY – The band activity window
RX.CALL_ACTIVITY – The call activity window
RX.CALL_SELECTED – The currently selected callsign
RX.DIRECTED – A complete message
RX.SPOT – A station we have heard
RX.TEXT – Contents of the QSO window
STATION.CALLSIGN – Callsign of the station
STATION.GRID – Grid locator of the station
STATION.INFO – QTH/info of the station
STATION.STATUS – Status of the station
TX.FRAME – Something we are sending
TX.TEXT – Text in the outgoing message window

Messages to JS8Call
INBOX.GET_MESSAGES – Get a list of inbox messages
INBOX.STORE_MESSAGE – Store a message in the inbox
MODE.GET_SPEED – Get the TX speed
MODE.SET_SPEED – Set the TX speed
RIG.GET_FREQ – Get the current dial freq and offset
RIG.SET_FREQ – Set the current dial freq and offset
RX.GET_BAND_ACTIVITY – Get the contents of the band activity window
RX.GET_CALL_ACTIVITY – Get the contents of the call activity window
RX.GET_CALL_SELECTED – Get the currently selected callsign
RX.GET_TEXT – Get the contents of the QSO qindow
STATION.GET_CALLSIGN – Get the station callsign
STATION.GET_GRID – Get the station grid
STATION.SET_GRID – Set the station grid
STATION.GET_INFO – Get the station QTH/info
STATION.SET_INFO – Set the station QTH/info
STATION.GET_STATUS – Get the station status
STATION.SET_STATUS – Set the station status
TX.SEND_MESSAGE – Send a message via JS8Call
TX.SET_TEXT – Sets the text in the outgoing message box, but does not send it.
WINDOW.RAISE – Focus the JS8Call window

The python example below is modified form the JS8 source code available here: http://js8call.com/

from __future__ import print_function

from socket import socket, AF_INET, SOCK_STREAM

import json
import time

#make sure you open port 2442 prior to opening JS8 application

#ubuntu command: sudo ufw allow 2442

server = ('127.0.0.1', 2442)

def from_message(content):
    try:
        return json.loads(content)
    except ValueError:
        return {}


def to_message(typ, value='', params=None):
    if params is None:
        params = {}
    return json.dumps({'type': typ, 'value': value, 'params': params})


class Client(object):
    first = True
    def process(self, message):
        typ = message.get('type', '')
        value = message.get('value', '')
        params = message.get('params', {})
        if not typ:
            return

        if typ in ('RX.ACTIVITY',):
            # skip
            return

        print('->', typ)

        if value:
            print('-> value', value)

        if params:
            print('-> params: ', params)


    def send(self, *args, **kwargs):
        params = kwargs.get('params', {})
        if '_ID' not in params:
            params['_ID'] = '{}'.format(int(time.time()*1000))
            kwargs['params'] = params
        message = to_message(*args, **kwargs)
        print('outgoing message:', message)
        self.sock.send((message + '\n').encode()) # remember to send the newline at the end :)
    
    def send2(self):
        message = "{'type': 'STATION.GET_STATUS', 'value': '', 'params': {'_ID': '1645105873058'}}"
        print('outgoing message:', message)
        self.sock.send((message + '\n').encode()) # remember to send the newline at the end :)
    
    def connect(self):
        print('connecting to', ':'.join(map(str, server)))
        self.sock = socket(AF_INET, SOCK_STREAM)
        self.sock.connect(server)
        self.connected = True
        try:
            # send a simple example query after connected

            self.send("TX.SET_TEXT", "WHAT IS GOING ON?")
			
            #list of commands here: 
            #https://planetarystatusreport.com/?p=646
            
            while self.connected:
                content = self.sock.recv(65500)
                if not content:
                    break
                print('incoming message')

                try:
                    message = json.loads(content)
                except ValueError:
                    message = {}

                if not message:
                    continue

                self.process(message)

        finally:
            self.sock.close()

    def close(self):
        self.connected = False

def main():
    s = Client()
    s.connect()

if __name__ == '__main__':
    main()

RT: RAD TERMINAL

MP3: https://planetarystatusreport.com/mp3/20220216_RAD_TERMINAL.mp3

Donate: https://www.paypal.com/paypalme/doctorfreckles

CONTACT US: [email protected], [email protected]

Guest: Justin L.

  1. How long have you been interested in radio?
  2. The world of Ham radio.
  3. What is JS8 and digital over radio?

Vision: to build an engineering company, specializing in radio and telecommunications, with a goal of creating an integrated and SECURE network that will allow information sharing, gaming, business, and secure communications, around the world and EVERYWHERE … cheaper than the WWW today … and owned by the people … truly decentralized.

If “crypto” wants to be truly independent and decentralized — then it needs to have the technological backbone to do so … it would need to be free of the WWW …

Elevator pitch …

I am working on a project with a friend in Utah. The project involves two basic parts:

  1. A no-logon bulletin board system, allowing users to post notes, read them, all in a GIS (geographical information systems) context.
  2. A digital citizen band and shortwave bidirectional radio bridge that allows an individual transceiver node and operator to integrate their system with our bulletin board system and vice versa. Our “white glove” offering will include effective encryption strategies for the messages themselves.

We are forming an engineering company if we are able, and this product/service combo will represent our first offering.

The product is called “notes”, but will:

  1. Allow journalists in difficult circumstances to file stories and reports – even when the local internet is shut down.
  2. Enable missionaries and activists overseas to coordinate and send/receive secure messages.
  3. Be a product that will excite young people about STEM and potentially be a great holiday gift.
  4. Be a way to dispatch and manage resources, globally.
  5. Integrate an EDI (electronic data interchange) system for formatted messaging between nodes.

Products:

  1. White-glove application capable of sending/receiving secure messages and integrating them into one web-based dashboard –
  2. Advertising space on free bulletin board.
  3. Rad-terminal: all in one radio/computer device, 3D printed brick/clam shell form factor, small enough to fit inside a backpack and containing all needed software and gear (to include antenna).
  4. Rad-brick: a small device that can interface your personal computer with a CB radio for digital text comms, among hobbyists, on 11 meters.
  5. Rad-truck: a vehicle which hosts a WiFi server and the broadcast equipment to provide emergency support, or special support for events, concerts … all integrated into the global PSR:NOTES system. A complete communications node for disaster scenarios: forest fire, earthquake, hurricane … etc.
  6. Rad-drone: a high altitude dirigible drone system for enhancing point-to-point shortwave and CB communications. A system that can be designed to provide area-wide WiFi and other services.

What do we want from you?

  1. Enthusiasm and involvement by home brew clubs in JS8 and similar technologies. Build out a network of technical knowledge and know how.
  2. Donors – want to support financially and be known as a founder AND have white-list access to the notes network.
  3. Investors … we need to raise 100K in the next 3 months to continue, and for this amount we will create a share structure for 10% ownership. This is a one time opportunity, the first investor to pool or have 100K can get a 10% stake …

We are just beginning on this journey, and this is connected to the podcast in a sense …

If you are interested in investing, please contact me: [email protected]

MASTER: Radio Band Plan

PDF: https://planetarystatusreport.com/pdf/20220103_Radio_Band_Plan.pdf

FrequenciesSegment/Net nameModeCommentsWebsite
50.058FISTSCW http://www.fists.org
50.11DX WindowOtherDX Calling Frequency. CW/SSB. Once you establish a QSO, please move off this frequency. 
50.125SSBSSBDomestic calling frequency. You CQ there for US/US QSO’s – once established you move up the band to continue. 
50.155RagchewSSB  
50.16Radio Scout FrequencySSB http://home.tiscali.nl/worldscout/Jota/frequencies.htm
50.16Radio Scout FrequencyCW http://home.tiscali.nl/worldscout/Jota/frequencies.htm
50.1625HFPACKSSBUSB – Portable Calling Frequency – Mobile- Portable – Base – Marine – Aero – HFpackhttp://hfpack.com
50.1625ALEOtherALE Voice, Data. Amateur Radio ALE is USB standard Automatic Link Establishment 2.2kHz Bandwidth 
50.26M SSB NetSSBTuesday 8 PM Central time. KQ0J net control. 
50.25JT6MDigitalCalling Frequency for JT6M (Weak band enhancements)http://www.qsl.net/digitalonsix/
50.25AMAMAM – Northern Coloradohttp://www.amwindow.org/freq.htm
50.26FSK441ADigitalCalling Frequency for FSK441A (Meteor Scatter Contacts Only)http://www.qsl.net/digitalonsix/
50.272NetSSBYankee SSB Net, meeting since the 1960s, Sunday am 9:30 Local Timehttp://yankee6meterssbnet.blogspot.com
50.276JT65-ADigitalNewly developed JT65A is finding a home here 
50.276JT65DigitalWeak Signal Users 
50.276JT65aDigitalcalling frequency 
50.28Meteor ScatterSSBDigitalWSJT-X
50.29DigitalDigitalCalling Frequency for PSK31 and Hell modeshttp://www.qsl.net/digitalonsix/
50.29MFSK16Digital http://kf4houtn.tripod.com/snddigi.htm
50.29BPSK31DigitalBeen the defacto frequency for years 
50.291Propagation trackingDigitalPropNET is an ad-hoc 2-way RF-based digital communication network whose activity is reported on the Internet for the purpose of propagation tracking.http://www.propnet.org
50.3DigitalDigitalOperating Frequency for RTTY and MFSKhttp://www.qsl.net/digitalonsix/
50.3rttyOtherDigital On Six (DOS)http://www.ykc.com/wa5ufh/DOS/index.html
50.46M So Cal AM NetSSB6M AM Net So. Cal 10am Sundays. Net Control AA6DD 
50.46M AM callingAMMainly Saturday night 6M AM NY / PA round table talks. Anyone with 6M AM anywhere can join in. 
50.62PacketDigitalDigital (packet) calling 
50.62PacketDigital1200baudhttp://aprs.org/6m-aprs.html
50.644FSQDigitalFSQ Calling Frequency[email protected]
50.68SSTVFM http://www.amateur-radio-wiki.net/index.php?title=SSTV_frequencies
51Military backpack radioFMEquipment usually low power (< 5W and inefficient antennas) and sporadic in time and geography (Hamfests, milrad exhibits, etc.) 
51.5Local FM Simplex – General ConversationFMIn Phoenix, AZ, this new network is under construction.https://www.facebook.com/5150-Net-1736240103341311/
52.02FM SimplexFM  
52.04FM SimplexFM  
52.49VT Allstar LinkFMvt allstar link 42668https:/www.vermontallstarnetwork.com
52.525FM SimplexFMPrimary FM Simplex 
52.54FM SimplexFMSecondary FM Simplex 
53.15EmergencyFMWICEN – Emergency communications support & training in Australia (VK)http://www.wicen.org.au/
53.5Remote controlDigital  
53.6Remote controlDigital  
53.7Remote controlDigital  
53.8Remote controlDigital  
53.9FM SimplexFM  
1808FISTSCW http://www.fists.org
1810QRPCWCW 
1812.53905 Century ClubCW http://www.3905ccn.com/newsite/netsched.htm
1815CQ-QSOCWFrequency to do CQ-QSO Runshttp://cq-qso.com/
1817.5W1AWCW http://www.arrl.org/w1aw.html
1836.6WSPRDigitalWeak Signal Propagation Reporter Networkwsprnet.org
1838MFSK16Digital http://kf4houtn.tripod.com/snddigi.htm
1838Calling/QSOsDigitalBased on limited personal experience plus posting on JT65A sked web site 
1838JT65ADigital+/- 1 khz on USB 
1838JT65DigitalUSB dial freq.http://groups.google.com/group/jt65-hf
1838PSK31/DigitalDigitalPSK31, Digital (everywhere except USA) 
1845ALEOtherALE Voice, Data. Amateur Radio ALE is USB standard Automatic Link Establishment 2.2kHz Bandwidthhttp://hflink.com
1855W1AWSSB http://www.arrl.org/w1aw.html
1860Amateur BullitinsAM www.wa0rcr.com
1860Amateur BullitinsAMGateway 160 Meter Radio Newsletter-Saturdaywww.wa0rcr.com
1880OMISSSSBFriday and Saturday at 04:00 Zomiss.net
18923905 Century ClubSSB http://www.3905ccn.com/newsite/netsched.htm
1900net controlSSB1900 group with live straming videolivehamcam.com
1910QRPSSBSSB 
1916EMCOMMCWNATIONAL EMCOMM TRAFFIC SERVICE (NETS) WATCH • MONITOR • CALLING • TRAFFIC FREQUENCIEShttp://www.wrrl.org/n_e_t_s_.asp
1926awards netSSBrecently moved herehttp://www.3905ccn.com/newsite/index.htm
1930OMISS 160m SSB NetSSBFri/Sat at 0400, also holidayswww.omiss.net
1945Greyhair NetAMPromotion of AM activity on 160http://www.greyhairnet.org
1947ragchewSSB http://1.947group.org
1957RagchewSSBHeabrean Net 
1960western kansas 160m netSSBthis net meets every tues night on 1.960 LSB at 8PM mountain time. a ham radio topic is discussed every week. 
1970CQ-QSOSSBFrequency to do CQ-QSO Runshttp://cq-qso.com/
1982EMCOMMSSBNATIONAL EMCOMM TRAFFIC SERVICE (NETS) WATCH • MONITOR • CALLING • TRAFFIC FREQUENCIEShttp://www.wrrl.org/n_e_t_s_.asp
1985RagchewAMThanks for the web page. 
1985Get togethersAMWe meet every night at about1700 hrs to about 2000 hrs. 
1996ALEOtherALE: Voice, Data, Sounding. Amateur Radio ALE is USB standard Automatic Link Establishment 2.2kHz Bandwidthhttp://hflink.com
1998.2Propagation trackingDigitalPropNET is an ad-hoc 2-way RF-based digital communication network whose activity is reported on the Internet for the purpose of propagation tracking.http://www.propnet.org
3520RNARS Calling-FrequencyCWCW Amateur Stations wishing to contact Royal Naval Amateur Radio Society pse use this freq. for CW contact on this band: not exclusive, Non-RNARS callers welcome to joinhttp://www.rnars.org.uk/schedules%20frequencies.html
3530IOTACW http://www.rsgbiota.org/
3530AMAMAM South Americahttp://www.amwindow.org/freq.htm
3535IN CW NetsCWIndiana Section Nets 0830ct 1900ct (W9ILF Mgr)none
3547QFN FL TFC NETCWAll Florida CW Traffic Net 7 and 10 pmhttp://cwnet.homestead.com/
3547.53905 Century ClubCW http://www.3905ccn.com/newsite/netsched.htm
3549Georgia State TrafficCWGSN is daily @ 7 pm and 10 PM 
3550French AM netAM  
3550SKCCCW http://www.skccgroup.com/membership_data/opfreq.php
3555WI Traffic NetsCW1800 Novice Net , 1830 Slow Speed Net, 1900 and 2200 WI Intrastate Net, all local times 
3556FRNCWNAQCC Sunday roundtable nethttp://naqcc.info/cw_nets.html
3556.5County Hunting NetCW http://ch.w6rk.com
3557MDD TFC NETCWMaryland-DC-Delaware NTS Section Tfc Net. 7 & 10 pm dailyhttp://www.arrl-mdc.net/mdd_net/net.htm
35573RN TFC NETCWDC-DE-MD-PA 3RN NTS Cycle 4 at 7:45 & 9:30 daily 
3558FISTSCW http://www.fists.org
3559Feld HellDigital http://feldhellclub.org/
3560QRPCWCW 
3562Tennessee CW TrafficCWNet meets 1900 CT 
3563QMNCWMichigan Traffic net 
3563QMNCWMichigan Traffic Net. Early 6:30 PM Eastern. Late 10:00 PM Eastern 
3563MSN MD TFC & TNGCWMaryland Slow Net, Tfc & Net Op Training. 
3563MSN MD TFC & TNGCWMaryland Slow Net, Tfc & Net Op Tng. 7:30 pm dailyhttp://www.bdb.com/~msn/
3565ALEOtherALE: Voice, Data, Sounding. Amateur Radio ALE is USB standard Automatic Link Establishment 2.2kHz Bandwidthhttp://hflink.com
3565Massachusetts-Rhode Island NTS CW NetCWMeets daily at 23:00 UTC 
3565Massachusetts-Rhode Island NTS CW NetCWMeets Daily at 23:00UTChttp://nts.ema.arrl.org/
3568CQ-QSOCWFrequency to do CQ-QSO Runshttp://cq-qso.com/
3569Traffic netCW  
3570Radio Scout FrequencyCW http://home.tiscali.nl/worldscout/Jota/frequencies.htm
3570ZL2KO NetSSBWeekly M.A.R.S. Net 
3572Traffic NetCWIdaho-Montana Net (daily at 0300Z) 
3573FT8DigitalWhat are JAPAN FREQ. at 3.573 
3573AGCW QTCCWAGCW QTC Mo. 1800 UTChttp://www.agcw.org/
3575Traffic NetCWAlabama Section Net – CW Traffic 
3575Feld HellDigital http://feldhellclub.org/
3576TrafficCWFrequency changed when realigned 
3576JT65ADigital+/- 1 khz on USB 
3576JT65DigitalUSB dial freq.http://groups.google.com/group/jt65-hf
3576JT65ADigital http://www.hflink.com/jt65/
35783905 Century ClubDigital http://www.3905ccn.com/newsite/netsched.htm
3581.5W1AWCW http://www.arrl.org/w1aw.html
3583.5paNBEMSDigitalpaNBEMS is an NBEMS working group to test and train with Narrow Band Emergency Messaging System software for use in emergency communicationshttp://www.paNBEMS.org
3584MFSK16Digital http://kf4houtn.tripod.com/snddigi.htm
3585JT-65Digital3576 NOT allowed in IARU REG 1 !! 
3585ARES Digital NetDigitalSouthern Ohio ARES Digital Net – Mondays @ 9 pm est 
35863905 Century ClubDigitalRTTYhttp://www.3905ccn.com/newsite/netsched.htm
3588FSQDigitalIARU Region 1 
3590K6YRCW http://www.arrl.org/w1aw.html
3590Empire Slow Speed NetCW6:00PM Eastern 
3590Olivia MT-63DigitalIllinois ARES Digital Netshttp://www.ilares.org
3590FSQDigitalIARU Region 3 
3590DX WindowDigitalRTTY 
3592.6WSPRDigitalWeak Signal Propagation Reporter Networkwsprnet.org
3593NBEMS netsDigitalTues Thurs Sat Mi. @ 7 and Mn at 8 pm cst 
3594FSQDigitalIARU Region 2 
3597.5W1AW DigitalDigital http://www.arrl.org/w1aw.html
3598.2Propagation trackingDigitalPropNET is an ad-hoc 2-way RF-based digital communication network whose activity is reported on the Internet for the purpose of propagation tracking.http://www.propnet.org
3600EmergencyCWWICEN – Emergency communications support & training in Australia (VK)http://www.wicen.org.au/
3600French AM netAM  
3610PAXDigitalUSB 
3610PAX2DigitalUSB 
3615AMAMUK AMhttp://www.amwindow.org/freq.htm
3619FAXSSBheard 0615z 04jun16 wx map image lsb 
3625W1AWDigital http://www.arrl.org/w1aw.html
3625AMAMAM in the UKhttp://www.amwindow.org/freq.htm
3626ALEOtherALE Data, Voice, Sounding. Amateur Radio ALE is USB standard Automatic Link Establishment 2.2kHz Bandwidthhttp://hflink.com
3627.3ARRL SkipnetDigitalNet80E. Zero beat 3629 LSBhttp://www.uspacket.org/hfnets.htm
3630dutch ham netSSBDutch HAM net every day /nite 
363080 Meter Round TirolSSBAll Welcommewww.oe7mfi.at
3650Traffic NetCWRegion Five CW Traffic Net 
3650RAGCHEW – EUSSBnd EIwww.normandycoast.com
3650AMAMAM South Americahttp://www.amwindow.org/freq.htm
3668Geratol NetSSBNew FQ and URLhttp://geratol.info/
3670New York State CW Net Morning Cycle 1CW10:00AM Eastern 
3670Eastern Area NetCW8:30PM Eastern 
3677New York State County NetCW9:30AM Eastern Sunday 
3677New York State CW Net Early Cycle 4CW7:00PM Eastern 
3677New York State CW Net Late Cycle 4CW10:00PM Eastern 
3683QSY Society NetCW9:00PM Eastern, most days 
3685SRALSSBSRAL – The Finnish Amateur Radio League’s bulletin at 1300 – 1330 UTC on Saturdayswww.sral.fi
3685SSBBoard of the Finnish Amateur Radio League (SRAL) answering questions at 1200 – 1300 UTC on the first Saturday of every month transmitting from their home stationswww.sral.fi
3690Second Region NetCW7:45PM Eastern 
3690Second Region NetCW9:30PM Eastern 
3690SSBOH-stations’ rugchew 24 hwww.sral.fi/en
3690Radio Scout FrequencySSB http://home.tiscali.nl/worldscout/Jota/frequencies.htm
3690AMAMAM Calling Frequency, Australiahttp://www.amwindow.org/freq.htm
3699RagchewSSBFinnish HI-Activity Bullshit Channel, 24h 
369924h Finnlands only national calling frequency on 80 mtrSSBI kindly request to respect this qrg even if you dont understand finnish 
3700Tyrol RoundSSB10.00-12.00 amhttp://afu.mauler.info/
3705AM European NetAMUsed from French and Italian Hams on the afternoon night winter netshttp://groups.google.it/group/boatanchors-net/topics
3710QRPCWCW 
3711EMCOMMCWNATIONAL EMCOMM TRAFFIC SERVICE (NETS) WATCH • MONITOR • CALLING • TRAFFIC FREQUENCIEShttp://www.wrrl.org/n_e_t_s_.asp
3714Hit and Bounce Slow NetCW7:30AM Easternhttp://arfernc.tripod.com/
3715New Jersey Slow NetCW6:30PM Easternhttp://home.att.net/~njtb/
3717Maryland Slow NetCW7:30PM Easternhttp://www.bdb.com/~msn/
3717Maryland Slow NetCWMoved to 3563. This entry no longer valid here. 
3725AMAMLoyal Order of the Boiled Owls – 0420 ESThttps://sites.google.com/site/loyalorderboiledowls/
3729Daily SSB netCWBritish Columbia Public Service Nethttp://www.percs.bc.ca/OPS_BCPSN.htm
3729BC Public Service NetSSBThe BC Public Service Net starts at 01h30zulu on 3729khz.http://www.bcpsn.com
3729BC public service netSSBpublic service directed net at 1830 PDT every dayhttp://www.bcpsn.com/
3735SK Public ServiceSSBSaskatchewan Public Service Nethttp:/www.sarl.ca/nets.htm
3740SATERNSSB http://www.wx4nhc.org/
3742Ontario Phone Net (NTS)SSBOccurs daily at 7PM Eastern Time (Standard/Daily). Affiliated with the National Traffic Systemhttp://www.racaresontario.ca/public/display_opn_info.php
3743RNARS The Bubbly Rats NeSSBMonday – Saturday 1030-1330http://www.rnars.org.uk/schedules%20frequencies.html
3744Saskatchewan Public Service NetSSBSaskatchewan Public Servicehttp://www.sarl.ca/nets.htm
3744Saskatchewan Public Service NetSSBNet 01:00 – 01:30 UT Daily.http://www.sarl.ca/nets.htm
3744wrong button clubSSBmon -friday 9am pacific everyone welcome 
3753Saskatchewan Weather NetSSBNet 14:00 – 14:30 UT Daily.http://www.sarl.ca/nets.htm
3753Saskatchewan 80M ARES NetSSBNet 14:30 – 15:00 UT Sundayshttp://www.sarl.ca/nets.htm
3755IOTASSB http://www.rsgbiota.org/
3755ONTARS NetSSBNet operates daily from 7AM to 5PM Eastern Time (Standard/Daylight) as a service to Amateurs in or around Ontario.http://www.radioroom.ca/
3755ONTARS NetSSB www.ontars.ca
3760WAB netSSBwhen 40m Condx do not allow. Every day morning till eveninghttp://wab.intermip.net/default.php
3765ESSBSSBLITTLE PEOPLE NETWORK – Net usually starts around 12:00 AM Pacifichttp://members.cox.net/kn6z/littlepeoplelog.htm
3768GERATOLSSB http://www.qsl.net/geratol/
3791ALEOtherALE voice. Amateur Radio ALE is USB standard Automatic Link Establishment 2.2kHz Bandwidthhttp://hflink.com
3791HFPACKSSB-USB- Upper Sideband – HF Portable Calling Frequency – regions 1-2-3; International Emergency/Reliefhttp://hfpack.com
3791SELCALLOtherUSB – Amateur SELCALL – UPPER SIDEBAND Dial Frequency – Selective Calling CCIR 493 – 1700Hz 100baud, for use with SSB Voicehttp://hflink.com/channels/
3810Kentucky Phone Net (Morning Net)SSBEvery Morning 8:30am Eastern Timehttps://sites.google.com/site/kyphonenet/
3814St. Max Kolbe NetSSBSundays 8:00 PM ETwww.stmaxkolbe.org
3815Friendly 7.188 NetSSBPriemier Caribbean EnComm and Welfare Net. Daily Net 1030 and 2230 UTC.http://www.cewn.net/
3815Caribbean Emergency & Weather NetSSBDaily @ 10:30 & 22:30 UTChttp://www.cewn.org
3816Kentucky Phone Net (Evening Net)SSBEvery Day at 7:00pm Eastern Timehttps://sites.google.com/site/kyphonenet/
3820Little Red Barn NetSSB0830 EDT – (Thursdays, 3.826 due to QRM)http://www.historyofwowo.com/
3825AMAMAMhttp://www.amwindow.org/freq.htm
3825OMISS 80m SSB NetSSBDaily 0300zwww.omiss.net
3837Antique Wireless AssociationAMweekend gathering, every weekend 
3837Pajama GangSSBPajama Gang-0845 CST 
3840DAILY NET ON 3.840SSBw5yjb Bill and group ALSO SHORT WAVE LISTENERS 8:AMCST live and recorded on Bob Bellars web sitehttp://www.3840khz.net/
3845Traffic NetSSBOklahoma. Sooner Traffic Net. Monday thru Saturday. 
3845Arufon NetSSBamateur radio UFO discussion Net 
3845SSTVDigital  
3850midwest rag chewSSBragchew from 7:00 cen to 9:00 am cen & 6:30 pm till midnite!!https://www.facebook.com/groups/446742322068372/
3855Awful Awful Ugly NetSSBDaily 8PM Central Timehttp://www.qsl.net/k/kb5aau//aaunet/
3857sstvOther  
3862MS PHONE NETSSB2300Z DAILYMISSARRL.NET
3862MS Phone NetSSBMississippi Phone Net 1800utc dailyarrlmiss.net
3862MSPN Mississippi Section Phone Net Emergency and Training NetSSBMississippi Section Phone Emergency and Training Netwww.arrlmiss.org
3862.5AM Traffic NetSSBM-F 0600 cst 0700 S-S & Holidaysarrlmiss.net
3870AMAMAM – USA West Coasthttp://www.amwindow.org/freq.htm
3880AMAMAMhttp://www.amwindow.org/freq.htm
3885Gulf Coast Mullet SocietyAMTHURSDAYS @ 1900ET – W4GCM Net Controlhttp://flamgroup.com/about/
3885Southeastern AM Radio ClubAMW4AMI Trade & Fellowship Net – TUESDAYS @ 1900EST/1800EDThttp://207.45.187.74/~wa4kcy/Pagesamrc.htm
3885FL AM GroupAMAM Roundtable – SUNDAYS @ 0600 ET = Pre-Net Checkins SUNDAYS @ 0630ET = Formal Nethttp://flamgroup.com/about/
3885FL AM GroupAMWEDNESDAY Night Informal Net @ 1900EThttp://flamgroup.com/about/
3885AMAM  
3890ragchewAMhome of k5bai jim 
3896Arizona Traffic and Emergency NetSSBDaily at 0030 UTC in winter, 0200 UTC in summer.http://www.atenaz.net/
39023905 Century ClubSSB http://www.3905ccn.com/newsite/netsched.htm
3903OTH GangSSBThe Over The Hill Gang, usually start gathering at 7:30 am to 9 am cst Monday thru Friday. All are welcome. 
3905N. American Traffic & Awards NetSSBBringing back the ORIGINAL WAS Net: Jan. 1, 2009Coming soon!
3905Net OperationSSBNet meets daily except Sunday and Thursday (local time) at 0345z (0245z during DST)www.northamericantrafficandawards.net
3905DELAWARE TRAFFIC NETSSBDelaware Traffic Net and Emergency Phone Net 
3906calif.traffic.netSSB califtraffic.net
3908WARFASSBHealth and Welfare traffic and member station friendly exchanges.http://www.warfa.org
3908HI FIVERS NETSSBThe friendly bunchhttp://hifivers.wix.com/hifivers
3908HI FIVERS NETSSB8pm cst early check in 9pm cst net starts, The friendly bunchhttp://hifivers.wix.com/hifivers
3910Clearing House NetSSB11:00AM Sunday 
3917EPAEPTN/EPA NTSSSBEPA Emergency Phone & Traffic Net 
3920SATERNSSB http://www.wx4nhc.org/
3920OMIK NetSSBHealth and Welfare traffic and club member info exchanges. The organization celebrates it’s 54th anniversary this year.http://www.omikradio.org
3920Kansas Weather NetSSBWeather reporting from Kansas and adjacent states. 7:00 A.M & 6:00 P.M. (local time) daily. 
3920Gallops Island NetSSBGallops Island Radio Association Net 
3920Maryland Emergency Phone NetSSBEvery evening at Six since 1952.http://n3wke.home.comcast.net/MEPN/
39224 PMRSSSBfriendly rag chew, M-S, 4pmthe4pmrs.net
3923NC ARES NetSSBTarheel Net @ 7:30 ET daily – NC AREShttp://www.ncarrl.org/nets/THEN/index.html
3923.5Wyoming Cowboy NetSSB0045 UTC Monday through Friday. 
3925Clearing House NetSSB11:00AM Eastern 
3925New York Phone NetSSB1:00PM Eastern 
3925Second Region NetSSB1:45PM Eastern 
3925Second Region NetSSB4:45PM Eastern 
3925New York Public Operations NetSSB5:00PM Eastern 
3925New York State Phone Traffic and Emergency NetSSB6:00PM Eastern 
3925Second Region NetSSB6:30PM Eastern 
3928Informal ragchew netSSBRagchew net primarily afternoons from Fall through Spring. New England area.www.thebullnet.com
3933Green Mountain NetSSBThe net starts at 21:00 UTC. This net has been on the air since the mid 1950s.http://home.myfairpoint.net/k1ku/gmn.html
3935Carrier NetSSB9:00AM M-Shttp://www.geocities.com/Heartland/Woods/1413/carrier.htm
3935friendship – ragchew – handle traffic if availableSSBMichigan based net with several stations from Ohio, Indiana, & Illinois. Net begins at 7:00 p.m. daily, with pre-net beginning 30 – 60 min. prior to net. During winter months nets begin earlier due to band conditions.www.wssbn.com
3939NM Traffic Net – 0100ZSSBNew Mexico Roadrunner Traffic Net 
3940Radio Scout FrequencySSB http://home.tiscali.nl/worldscout/Jota/frequencies.htm
3940Morning NetSSBEarly Bird Transcontinental Nethttp://www.earlybirdnet.com/
3940.5OMISSSSB omiss.net
3942OMISS 80m NetSSBSeven days a week @ 0200zwww.omiss.net
3944Western MA Emergency NetSSBSunday 8:30 am Eastern (local) time 
3945New England Phone NetSSBGeneral conversation net, Sunday am at about 8:45 local time, NCS is on Cape Cod, MA. 
3950NTS NJ Phone NetSSB2200Z Daily and 9:00 AM ET Sunday 
3950North Florida ARES NetSSBStarts @ 9am EST Alt Freq 7242Arrl-nfl.org
3952WPSSSSBWPSS – Western Public Service System Netwww.3952khz.net
3960Calif Emerg Svcs NetSSBMon 2000 Hrs Pacific CESN OA checkins 
3965TrafficSSBAlabama Traffic Net Mike; Sun-Sat 1830 CT; Sun 0800 CT 
3970NoonTime NetSSBLSB 3970.0 kHz – NoonTime Net – North America (west of the rockies) check in 12noon Pacific Time – everyone welcome – mobile – base – portable (alternate frequency: 7268.5kHz LSB and 7283.5kHz LSB) informal session of net is also active in the morninghttp://www.noontimenet.org/
3970Noontime NetSSBLSB 3970.0 kHz – NoonTime Net – North America (west of the rockies) check in 12noon Pacific Time – everyone welcome – mobile – base – portable (alternate frequency: 7268.5kHz LSB and 7283.5kHz LSB) informal session of net is also active in the morningwww.noontimenet.org
3970CQ-QSOSSBFrequency to do CQ-QSO Runshttp://cq-qso.com/
3972.5Ohio Single Sideband NetSSBTraffic Net – daily (10:30AM, 4:15PM and 6:00PM)http://www.qsl.net/ossbn/
3973Breakfast Club NetSSBEarly Mornings, 7 Days a weekwww.hamdata.com
3975Traffic/SocialSSBWashington Amateru Radio Traffic System. The oldest SSB statewide net in the State of Washingtonhttp://www.wartsnet.org
3977.7SATERNSSB http://www.wx4nhc.org/
3977.7UFO NetSSB  
3978Massachusetts-Rhode Island NTS Phone NetSSBMeets on Tuesday, Thursday, Saturday at 22:00 UTC 
3980Tennessee SSB NetSSBNet meets 0645 CT and 1830 CT weekdayshttp://www.tnarrl.org
3980Regional InformationSSB http://www.win3980.com/
3980Tennessee State Traffic NetCW  
3985QRPSSBSSB 
3987EMCOMMSSBNATIONAL EMCOMM TRAFFIC SERVICE (NETS) WATCH • MONITOR • CALLING • TRAFFIC FREQUENCIEShttp://www.wrrl.org/n_e_t_s_.asp
3987EMCOMMSSBNATIONAL EMCOMM TRAFFIC SERVICE (NETS) WATCH • MONITOR • CALLING • TRAFFIC FREQUENCIEShttp://www.wrrl.org/n_e_t_s_.asp
3987.5Razorback NetSSBArkansas Section Net 6pm local time 
3990W1AWSSB http://www.arrl.org/w1aw.html
3995Land Rover netSSB9:30 PM nightly For Land Rover and other 4 Wheel Drive owners. 
3996ALEOtherALE voice. Amateur Radio ALE is USB standard Automatic Link Establishment 2.2kHz Bandwidthhttp://hflink.com
3996HFPACKSSB– USB – HFpack – HF Portable – Calling frequency – UPPER SIDEBAND – Net – Regional NVIShttp://hfpack.com
3996SELCALLOtherUSB – Amateur SELCALL – UPPER SIDEBAND Dial Frequency – Selective Calling CCIR 493 – 1700Hz 100baud, for use with SSB Voicehttp://www.hflink.com/channels/
5102SSB 60mSSBUSB – Australia Emergency WIA/WICENhttp://hflink.com/5mhz/
5167.5SSB 60mSSBUSB – ALASKA Emergencyhttp://hflink.com/5mhz/
5195BeaconOtherDRA5 Beacon – Center Frequency 5195.0kHz – CW – PSK31- QPSK31 – RTTY (FSK_45baud)- radio-propagation forecasts, solar flux, sunspot , geomagnetic, index.http://www.dk0wcy.de/station.htm
5258.5SSB 60mSSBUSB – Upper Sideband – UKhttp://hflink.com/5mhz/
5278.5SSB 60mSSBUK-Finland-Norway-Iceland-etc.http://hflink.com/5mhz/
5287.2WSPRDigitalWeak Signal Propagation Reporter Networkwsprnet.org
5288.5SSB 60mSSBUK – Finland – Norway – Iceland, etc – Canada Experimental – UK Beaconshttp://hflink.com/5mhz/
5290BeaconCWUK 5MHz Beacons. Propagation study network, multiple stations transmit CW ID and stepped power levels, at intevals.http://g4irx.nowindows.net/fivemegs/comparison.php
5290.5NVIS-BeaconDigitalVideo-ID/PSK250 and CW c/s OV1BCNwww.oz1fjb.dk
5291beaconCWNVIS, test of propagation in Switzerlandhttp://www.hb9aw.ch/bake-infos-zum-projekt/
5298.5SSB 60mSSBUSB – Finlandhttp://hflink.com/5mhz/
5320SSB 60mSSBUSB 5320.0 – New Zealand – Amateur Radio Emergency Communications using AREC callsigns (5320.0kHz – 5322.8kHz any mode)http://www.nzart.org.nz/nzart/Update/infoline/infoline-122.pdf
5330.5SATERNSSB http://www.wx4nhc.org/
5330.5SSB 60mSSBUSB (USA – Finland – Norway – Iceland – St.Lucia – etc)http://hflink.com/5mhz/
5332EMCOMMSSBNATIONAL EMCOMM TRAFFIC SERVICE (NETS) WATCH • MONITOR • CALLING • TRAFFIC FREQUENCIEShttp://www.wrrl.org/n_e_t_s_.asp
533260mCWCW freq = 5332.0 kHz only. (USA New 60m CW Channel) and monitor 5330.5kHz USB for non-interference.http://hflink.com/60meters/
5346.5SSB 60mSSBUSB (USA – Finland – Norway – Iceland – St.Lucia – etc.http://hflink.com/5mhz/
5354APRSDigitalRobust Packethttp://robust-packet.net/
5355SSB 60mSSBUSB – Australia Emergency – WIA/WICENhttp://hflink.com/5mhz/
5357ALEDigitalAutomatic Link Establishment High Frequency Network 24/7 Channel Frequency – All IARU Regions 1,2,3 – Texting/Data/USB voicehttp://hflink.com
5357JT65DigitalUSB dial freq, new WRC-15 band since 2017 
5357JT-65DigitalFrequency built into JT-65 HF HB9HQX Software 
5358.560mCWCW freq = 5358.5 kHz only. (USA New 60m Channel) and monitor 5357.0kHz USB.http://hflink.com/60meters/
5366.5SSB 60mSSBUSB (USA – Finland – Norway – Iceland – etc)http://hflink.com/5mhz/
5366.5SSB 60mSSBCHANNEL DELETED from USA AMATEUR USE by FCC in 2012.http://hflink.com/60meters/
5366.5OliviaDigitalCentre of activity for Olivia on 60m in UK 
5371.5ALEOtherALE voice (emergency only in USA). Amateur Radio ALE is USB standard Automatic Link Establishment 2.2kHz Bandwidthhttp://hflink.com
5371.5HFPACKSSB– USB – HFPACK – HF Portable Calling Frequency – SUNSET NET – Regional NVIShttp://hfpack.com
5371.5SSB 60mSSBUSB (USA – Finland – Norway – Iceland – St.Lucia – etc)http://hflink.com/5mhz/
5395SSB 60mSSBUSB 5395.0 – New Zealand – Amateur Radio Emergency Communications using AREC callsigns (5395.0kHz – 5397.8kHz any mode)http://www.nzart.org.nz/
5398.5SSB 60mSSBUSB (UK – Finland – Norway – Iceland – etc)(Canada-Experimental)http://hflink.com/5mhz/
5398.5SSB/CWSSBIreland SSB/CW Experimentalhttp://www.irts.ie/
5403SSB/CWSSBIreland SSB/CW Experimentalhttp://www.irts.ie/
5403.5ALEOtherALE voice Region1 (emergency only). Amateur Radio ALE is USB standard Automatic Link Establishment 2.2kHz Bandwidthhttp://hflink.com
5403.5HFPACKSSB– USB – HF Portable Calling Frequency – Region 1 – HFpack Net alternatehttp://hfpack.com
5403.5SSB 60mSSBUSB (USA – UK – Norway – Iceland – St.Lucia – etc)(Canada-Experimental) International Callinghttp://hflink.com/5mhz/
540560mCWCW freq = 5405.0 kHz only. (USA New 60m CW Channel) and monitor 5403.5kHz USB for non-interference.http://hflink.com/60meters/
5405.3cwCWdanish hams with aproved licenses 
7020RNARS Calling-FrequencyCWCW Amateur Stations wishing to contact Royal Naval Amateur Radio Society pse use this freq. for CW contact on this band: not exclusive, Non-RNARS callers welcome to joinhttp://www.rnars.org.uk/schedules%20frequencies.html
7022.5HFPACKCWHF Portable CW calling frequency – Region 1, 2, 3 – International – HFPACKhttp://hfpack.com
7025High Speed ClubCW  
7026OliviaDigitalOLIVIA 500/16 – Japan – Asia R3 – Audio Center Frequency=750Hzhttp://hflink.com/olivia/
7028FISTSCWRegion 1http://www.fists.org
7030IOTACW http://www.rsgbiota.org/
7030QRPCWRegion 1 & 3 QRP CW Calling 
7030Radio Scout FrequencyCW http://home.tiscali.nl/worldscout/Jota/frequencies.htm
7033THOR 4-22DigitalBEST OF THE DIGIMODES 
7038.5HFPACKCWHF Portable CW Calling Frequency – North America/USA – HFpackhttp://hfpack.com
7038.6WSPRDigitalWeak Signal Propagation Reporter Networkwsprnet.org
7039JT65ADigital+/- 1 khz on USB 
7040DX WindowDigitalRTTY 
7040QRPCWPlease leave for QRP ops. Region 2 QRP CW Calling. 
7040SSTV CallOther  
7042Hit and Bounce NetCW8:30AM Easternhttp://arfernc.tripod.com/
7043NETCWSLO POLK NET – SUNDAY – 9PM EST 
7044FSQDigitalIARU Region 1 
7045Elecraft NetCWMonday 0200z (Sunday 7pm PDT) 7045 kHz 
7045AMTORDigitalAmtor Sellcall ATORwww.amtor.de
7045CQ-QSOCWFrequency to do CQ-QSO Runshttp://cq-qso.com/
70463905 Century ClubCW http://www.3905ccn.com/newsite/netsched.htm
7047.5W1AWCW http://www.arrl.org/w1aw.html
7050Waterway CW NetCW http://www.waterwayradio.net/cwnet.htm
7050Eastern Area NetCW2:30PM Eastern Saturday and Sunday 
7050VK CW calling frequencyCWWhile 7030 is the QRP calling frequency in region 3, 7050 is being used as general CW calling frequency in Australiahttp://www.vkcw.net/7050
7050CW calling in VKCWStations move off (QSY) after contacthttp://www.vkcw.net
7050ChineseSSBChinese Rag-Chewing Frequency 
7052Amateur Radio Telegraph SocietyCW  
7055Canada National SSBSSBnational traffic net, alternate emergency freq from 80M 
7055SKCCCW http://www.skccgroup.com/membership_data/opfreq.php
7055IOTASSBfreq. as per IOTA webpagehttp://www.rsgbiota.org/info/
7056ReferenceCW7×24 carrier, no modulation 
7056.5County Hunting NetCW http://ch.w6rk.com
7058DSTVSSB(DRM) 
7058FISTSCW http://www.fists.org
7065ALEOtherALE voice, data. Amateur Radio ALE is USB standard Automatic Link Establishment 2.2kHz Bandwidthhttp://hflink.com
7070AMAMAM Southern Europehttp://www.amwindow.org/freq.htm
7070PSK31DigitalCommon PSK31 for 40M 
7070.43905 Century ClubDigitalPSK31http://www.3905ccn.com/newsite/netsched.htm
7072MFSK16 (Region 2)Digital  
7072.5OliviaDigitalOLIVIA 500/16 – Region 2 USAhttp://hflink.com/olivia/
7073NJ NBEMS NetDigitalOlivia 8-500 1500 Hz waterfall weekly 0930 EDT Sundays 
7075EmergencySSBWICEN – Emergency communications support & training in Australia (VK)http://www.wicen.org.au/
7076OliviaDigitalOLIVIA 500/16 – Region 2 USA – Audio Center Freq = 750Hzhttp://hflink.com/olivia
7076JT65ADigital+/- 1 khz on USB 
7076JT65DigitalUSB dial freq.http://groups.google.com/group/jt65-hf
7076MEPT_JT/WSPRDigitalUSB DIAL FREQ – MEPT_JT/WSPR IS IN REGULAR USE ON ALL JT65A RB FREQUENCIES. 
7077Winmor testingDigitalUSB only, Winmor peer to peer 
70843905 Century ClubDigitalRTTYhttp://www.3905ccn.com/newsite/netsched.htm
7090Radio Scout FrequencySSB http://home.tiscali.nl/worldscout/Jota/frequencies.htm
7095W1AWDigital http://www.arrl.org/w1aw.html
7098.8ARRL SkipnetDigitalNet40E. Zero beat 7100.5 LSBhttp://www.uspacket.org/hfnets.htm
7099.4W6ADOCWMorse practice 
7101.8ARRL SkipnetDigitalNet40M Zero Beat 7103.5 LSBhttp://www.uspacket.org/hfnets.htm
7102ALEOtherALE data, sounding. Amateur Radio ALE is USB standard Automatic Link Establishment 2.2kHz Bandwidthhttp://hflink.com
7103.2Propagation trackingDigitalPropNET is an ad-hoc 2-way RF-based digital communication network whose activity is reported on the Internet for the purpose of propagation tracking.http://www.propnet.org
7104FSQDigitalIARU Region 2 
7105FSQDigitalIARU Region 3 
7111EMCOMMCWNATIONAL EMCOMM TRAFFIC SERVICE (NETS) WATCH • MONITOR • CALLING • TRAFFIC FREQUENCIEShttp://www.wrrl.org/n_e_t_s_.asp
7112Handihams CW NetCW4pm CDThandiham.org
7114CW ElmersCWSKCC members and others 
7114BeginnersCW7114 – QRS – Elmer frequency for beginning operatorshttp://www.skccgroup.com/membership_data/opfreq.php
7115CW ElmersSSB  
7120AMAMAM South Americahttp://www.amwindow.org/freq.htm
7123Ham Radio CW netCWSouth East U.S. CW Nethttp://www.qsl.net/ki8du/sunrisenet.htm
7123Ham Radio CW netCWcorrection to URL for SunRiseNet CW at QSL.nethttp://www.qsl.net/srn/index.htm
7125AM in AustraliaAM  
7143AMAMAM in United Kingdomhttp://www.amwindow.org/freq.htm
7146AMAMAM Calling Frequency, Australiahttp://www.amwindow.org/freq.htm
7148Sun Rise NetCWDaily beginning at 0700 Eastern timehttp://www.qsl.net/ki8du/sunrisenet.htm
7150RVSU – YO EmCommSSBFor disaster and emergency communications – Calling frequencywww.yo3ksr.ro
7153Treasure Coast Net 0800 – 0900 easternSSBDaily since 1961www.tc7153.com
7160AMAMUsed for AM since 1950’s 
7160WAB netSSBNet for working all the OS map squares for various awardshttp://wab.intermip.net/default.php
7165.5ALEOtherALE voice, data. Amateur Radio ALE is USB standard Automatic Link Establishment 2.2kHz Bandwidthhttp://hflink.com
7165.5HFPACKSSB– USB – Upper Sideband – HF Portable Calling Frequency – Mobile- Portable – Base – Marine – Aero – HFPACK NET alternatehttp://hfpack.com
7165.5SELCALLOtherUSB – Amateur SELCALL – UPPER SIDEBAND Dial Frequency – Selective Calling CCIR 493 – 1700Hz 100baud, for use with SSB Voicehttp://www.hflink.com/channels/
7171SSTVDigital  
7173Digital SSTVDigital  
7175AMAMAM – USAhttp://www.amwindow.org/freq.htm
7177Mabuhay DX netSSBM-SUN morning net @ 6-9 AM PST 
7178Old Codgers NetSSBM-F 5-6 PM ET (EST or EDT) 
7185OMISS 40 meter netSSBdaily at 01:00 GMTomiss.net
7185Omiss NetSSBWork all states and awardsomiss.net
7185NATA NetSSBDaily at 23:00z – 00:30zhttp://www.natanet.info
7185north america traffic & awards netSSBtraffic & WAS awards netwww.natanet.info
7185OMISS 40m SSB NetSSBDaily 0100zwww.omiss.net
7185County Hunting NetSSB http://ch.w6rk.com/
7185.5HFpack USB calling primaryOtherUSB HFpack primary calling vice your listed 7165 freq. 
71883905 Century ClubSSBCCN has new web address and 40M FQ changed a few years backhttp://www.3905ccn.com/newsite/netsched.htm
7188Friendly 7.188 NetSSBConnecting the Caribbean and the world. Daily Net 1000 to 1200 UTC.http://www.friendly7188net.net/
7188Friendly 7.188 NetSSBConnecting the Caribbean and the World. Daily Net 1000 to 1200 UTC.http://www.friendly7188net.net/
7190Radio Scout FrequencySSB http://home.tiscali.nl/worldscout/Jota/frequencies.htm
7190HHH NetSSB0700z daily – New frequencyhttp://www.hhhnet.net/
7190The Brothers NetSSB6 nights weekly Mon – Fri 9:00PM EST Sunday 8:00Pm ESTwww.w9bro.org
7190NetSSBRAGCHEW NET 6-9 PM EST M-FWWW.NIGHTWATCHNET.NET
7192MaritimeSSB7 Days a week, West Coast CA & MX 
7192Brothers NetSSBMo-Sa 2300zw9bro.net
7195NATA NetSSBQRV 0000z to 0130zhttp://www.northamericantrafficandawards.net
7195ragchew (24×7)SSBFixed stations communicate with mobiles nationwidehttp://7195group.com/
72083905 Century ClubSSBMeets daily at 0400 Zulu +/- 3khzhttp://www.3905ccn.com/newsite/netsched.htm
7214Placer County ARESSSBPlacer County ARES daytime net and emergency use.http://www.sacvalleyares.net
7222Country Hams NetSSBRag =chew group/gen,info.www.countryhamsnet.com
7225Chart for Vietnam vetsSSB www.vietnamvetnet.com
7230Calif Emerg Svcs NetSSBWednesdays 1000 Pacific CESN OA, Relay checkin 
7232EMCOMMSSBNATIONAL EMCOMM TRAFFIC SERVICE (NETS) WATCH • MONITOR • CALLING • TRAFFIC FREQUENCIEShttp://www.wrrl.org/n_e_t_s_.asp
7233MaritimeSSBWest Coast, CA & MXhttp://www.bajanet.jackclarke.net/
7233SNOW BIRDS NETSSBSNOWBIRD NET DAILY @ 7PM WITH YOUR HOST JIM (KF2YR) 
7235HHH NetSSB0700Z, +- 2 kHzhttp://www.hhhnet.net/infopak2.html
7235Traffic Net West VirginiaSSBcheckin is at 11:45am Eastern Time – everyone welcome – mobile – base – portable (primary frequencies: 7235 kHz LSB and daily alternate frequency is 3810 KHzwww.qsl.net/wvsarc
7238Rotten ApplesSSB http://members.aol.com/RottenApplesARG/rottenapples.html
7238County Hunting NetSSB http://ch.w6rk.com
7240NTSSSBHigh Noon Traffic Net[email protected]
7243County Hunting NetSSB http://ch.w6rk.com
7243Eastern Area NetSSB2:30PM Eastern 
7243Section ARESSSBSunday afternoon schedulehttp://www.alabama-ares.org/
7243NTSSSBEASTERN AREA TRAFFIC NET TIME MOVES 4 MONTHS AGO NEW TIME 3:15 PM LOCAL 
7245FAXDigital  
7250Digital Voice CommunicationsOther http://www.hamradio-dv.org
7250Digital Voice CommunicationsOtherAOR Digital Voice Modem Nethttp://www.hamradio-dv.org
7251South Coast Amateur Radio ServiceSSB2 sessions daily 
7255East Coast ARSSSBEast Coast Amateur Radio Servicehttp://www.ecars7255.com/
7255EcarsSSBEcars 
7258Midwest ARSSSBThe Midwest Amateur Radio Service is in session from approx. 7 AM to 1 PM Eastern Time, 365 days a year, but is sometimes in session for extended time periods if needed due to severe weather conditions, etc. Everyone is welcome, with or without traffic.http://mid-cars.org/
7258Midwest ARSSSBBandplan correction: .NET not .orghttp://mid-cars.NET
7260SouthBEARSSSBSouthBEARS: Southern Baptist Emergency Amateur Radio Servicehttp://www.southbears.net/
7260SouthBears NetSSBSouthBears emergency amateur radio servicesouthbears.net
7260SouthBearsSSBSouthBears Emergency Net Sundays 15:30 easternsouthbears.net
7265SATERNSSB http://www.wx4nhc.org/
7265OMIK NetSSBHealth and Welfare traffic and club member info exchanges. The net starts at 7:30 EST/EDST every Sunday morning and ends at 9:00AM eastern.http://www.omikradio.org
7267.53905 Century ClubSSB http://www.3905ccn.com/newsite/netsched.htm
7268Waterway NetSSB7:45AM Easternhttp://www.waterwayradio.net/
7268Hurricane WatchSSBHurricane Watch Nethttps://www.hwn.org/policies/activationplans.html
7268.5NoonTime NetSSBLSB 7268.5 kHz – NoonTime Net – North America (west of the rockies) check in 12noon Pacific Time – everyone welcome – mobile – base – portable (alternate frequency: 3970kHz LSB) informal session of net is also active in the morninghttp://www.noontimenet.org/
7268.5Noontime NetSSBLSB 7268.5 kHz – NoonTime Net – North America (west of the rockies) check in 12noon Pacific Time – everyone welcome – mobile – base – portable (alternate frequency: 3970kHz LSB) informal session of net is also active in the morningwww.noontimenet.org
7270CQ-QSOSSBFrequency to do CQ-QSO Runshttp://cq-qso.com/
727272 Rag ChewSSB72 Ragchew Grouphttp://www.ragchewers.net/
727272 Rag ChewSSB72 Rag Chew 
7272Utah Beehive NETSSBUtah Beehive NTS Net. Daily 12:30 Mountain Timehttp://beehiveutahnet.com/
7272Traffic NetSSBBeehive Utah Net, section level net in the National Traffic System (daily at 12:30 MT)http://beehiveutahnet.com
7283.5NoonTime NetSSBLSB 7283.5 kHz – NoonTime Net alternate frequency. North America (west of the rockies) check in 12noon Pacific Time – everyone welcome – mobile – base – portable (primary frequencies: 7268.5kHz LSB and 3970.0kHz LSB) informal session of net is also active in the morninghttp://www.noontimenet.org/
7283.5SSBLSB 7283.5 kHz – NoonTime Net alternate frequency. North America (west of the rockies) check in 12noon Pacific Time – everyone welcome – mobile – base – portable (primary frequencies: 7268.5kHz LSB and 3970.0kHz LSB) informal session of net is also active in the morningwww.noontimenet.org
7285QRPSSBSSB 
7290W1AWSSB http://www.arrl.org/w1aw.html
7290AMAMAM Calling Frequency, USAhttp://www.amwindow.org/freq.htm
7290Independent Traffic NetSSBThe 7290 Traffic Net has been on this Freq. for 63 Years. 10 AM to 12 Noon and 1300 to 1400 six days a week.www. 7290trafficnet.org
7290AMAM  
7295AM NetAM  
7296ALEOtherALE voice. Amateur Radio ALE is USB standard Automatic Link Establishment 2.2kHz Bandwidthhttp://hflink.com
7296HFPACKSSBUSB – HFpack Group – Upper Sidebandhttp://hfpack.com
7296SELCALLOtherUSB – Amateur SELCALL – UPPER SIDEBAND Dial Frequency – Selective Calling CCIR 493 – 1700Hz 100baud, for use with SSB Voicehttp://www.hflink.com/channels/
7300AMAMAM South Americahttp://www.amwindow.org/freq.htm
10106QRPCWCW, also 10116? Both actively used? 
10108CQ-QSOCWFrequency to do CQ-QSO Runshttp://cq-qso.com/
10115IOTACW http://www.rsgbiota.org/
10115EmergencySSBWICEN – Emergency communications support & training in Australia (VK)http://www.wicen.org.au/
10116QRPCWCW, also 10106? Both actively used? 
10117.5HFPACKCWHF Portable CW Calling Frequency – HFpack CW Nethttp://hfpack.com
10118RNARS Calling-FrequencyCWCW Amateur Stations wishing to contact Royal Naval Amateur Radio Society pse use this freq. for CW contact on this band: not exclusive, Non-RNARS callers welcome to joinhttp://www.rnars.org.uk/schedules%20frequencies.html
10118FISTSCW http://www.fists.org
10120SSBSSBUSB – Calling Frequency (Australia, NZ, Oceania, Asia, Africa)http://www.hflink.com/bandplans/australia_bandplan.pdf
10120SKCCCW http://www.skccgroup.com/membership_data/opfreq.php
10122.5County Hunting NetCW http://ch.w6rk.com/
10123V4SSBV4 protocolhttp://groups.yahoo.com/neo/groups/V4Protocol/
10129EMCOMMCWNATIONAL EMCOMM TRAFFIC SERVICE (NETS) WATCH • MONITOR • CALLING • TRAFFIC FREQUENCIEShttp://www.wrrl.org/n_e_t_s_.asp
10132Winmor TestingSSBUSB only Call: Kn6KB-5 
10132SSTVDigitalMP73-N or other Narrow band SSTVhttps://groups.yahoo.com/neo/groups/30mSSTV/info
10132SSTVOtherMP73-N Narrow Band SSTVhttps://narrowsstv.wordpress.com/
10132N-SSTVOtherNarrow SSTVhttps://narrowsstv.wordpress.com/
10134.5OliviaDigital10134.5 USB dial freq [Olivia 500/16 Audio Center Freq=750 Hz] or [Olivia 1000/32 Audio Center Freq=1000Hz] (proposed Olivia calling freq for IARU Region 2 and Region 3)http://hflink.com/olivia/
10136.5ALEOtherALE data, voice. Amateur Radio ALE is USB standard Automatic Link Establishment 2.2kHz Bandwidthhttp://hflink.com
10138JT65DigitalUSB dial freq.http://groups.google.com/group/jt65-hf
10138.7WSPRDigitalWeak Signal Propagation Reporter Networkwsprnet.org
10138.9Propagation trackingDigitalPropNET is an ad-hoc 2-way RF-based digital communication network whose activity is reported on the Internet for the purpose of propagation tracking.http://www.propnet.org
10138.9Propnet PSK31DigitalPropnet Automatically Controlled Digital Stationhttp://propnet.org
10139JT65ADigital+/- 1 khz on USB 
10139County Hunting NetDigital http://ch.w6rk.com
10140psk31Digital  
10140FSQDigitalIARU Region 3 
10140PSK31Digital30 Meter Psk & Digital Grouphttp://www.30meterdigital.com
10141OliviaDigital10141 USB – IARU Region 1 (Europe, Africa, MidEast, Russia) [Olivia 500/16 – Audio Centre Frequency=750Hz]http://hflink.com/olivia/
10144FSQDigitalIARU Region 1 and 2 
10144N-SSTVOthernarrow SSTVhttps://narrowsstv.wordpress.com/
10145ARRL SkipnetDigitalNET147. Zero beat 10.147 LSB.http://www.uspacket.org/hfnets.htm
10145.5ALEOtherALE data, sounding. Amateur Radio ALE is USB standard Automatic Link Establishment 2.2kHz Bandwidthhttp://hflink.com
10145.5SELCALLOtherUSB – Amateur SELCALL – UPPER SIDEBAND Dial Frequency – Selective Calling CCIR 493 – 1700Hz 100baudhttp://www.hflink.com/channels/
10146PSKMAIL EUROPEDigitalBPSK 500R, 250R, 125R, MFSK16PSKMAIL
10147MFSK16Digital http://kf4houtn.tripod.com/snddigi.htm
10148pskmailDigitalbpsk250http://pskmail.wikispaces.com/PSKmailservers
10148PSKMAIL EUROPEDigitalBPSK 500R, 250R, 125R, MFSK16 1000HzPSKMAIL
14040IOTACW http://www.rsgbiota.org/
14047.5W1AWCW http://www.arrl.org/w1aw.html
14050Elecraft NetCWSunday 2300z (Sunday 4pm PDT) 14050 kHz 
14050SKCCCW http://www.skccgroup.com
14052RNARS Calling-FrequencyCWCW Amateur Stations wishing to contact Royal Naval Amateur Radio Society pse use this freq. for CW contact on this band: not exclusive, Non-RNARS callers welcome to join 
140533905 Century ClubCW http://www.3905ccn.com/newsite/netsched.htm
14055CQ-QSOCWFrequency to do CQ-QSO Runshttp://cq-qso.com/
14056.5County Hunting NetCW http://ch.w6rk.com
14058FISTSCW http://www.fists.org
14059HFPACKCWHF Portable CW Calling Frequency – Pedestrian Mobile – Backpack Portable – Bike Mobile – HFpackhttp://hfpack.com
14060Radio Scout FrequencyCW http://home.tiscali.nl/worldscout/Jota/frequencies.htm
14060QRPCWCW 
14063Feld HellDigitalFeld Hell watering hole 
14063HellschreiberDigitalNew standard for Hell modes on 20Mhttp://sites.google.com/site/feldhellclub/Home/feld-hell-faq
14065SATERNDigitalemergency comm freq. Training Sat. 1200CST 
140683905 Century ClubDigitalPSK31http://www.3905ccn.com/newsite/netsched.htm
14068Feld HellDigital http://feldhellclub.org/
14070PSK31Digital20M PSK frequency 
14073Feld HellDigitalFeld Hell watering hole 2 
14073County Hunting NetDigital http://ch.w6rk.com
14074FT8DigitalNew & Very Fast 
14074FT8Digital http://physics.princeton.edu/pulsar/k1jt/wsjtx.html
14076JT65SSBCalling frequency for JT65 (weak signal) 
14076JT65ADigital+/- 1 khz on USB 
14076JT65DigitalUSB dial freq.http://groups.google.com/group/jt65-hf
14076MEPT_JT/WSPRDigitalMEPT_JT/WSPR IS OPERATED ON ALL JT65A RB FREQUENCIES. 
14080MFSK16Digital http://kf4houtn.tripod.com/snddigi.htm
140843905 Century ClubDigital http://www.3905ccn.com/newsite/netsched.htm
14095W1AWDigital http://www.arrl.org/w1aw.html
14095.6WSPRDigitalWeak Signal Propagation Reporter Networkwsprnet.org
14096.3ARRL SkipnetDigitalNet098, Zero beat 14.098 LSBhttp://www.uspacket.org/hfnets.htm
14097Propagation trackingDigitalPropNET is an ad-hoc 2-way RF-based digital communication network whose activity is reported on the Internet for the purpose of propagation tracking.http://www.propnet.org
14100NCDXF BeaconsCW http://www.ncdxf.org/beacons.html
14103NET14 APRS WW.NETDigitalFSK 300 Baud packetNET14
14103NET14 APRS WW.NETDigitalFSK 300 Baud packet 1700HzNET14
14103NET14 APRS WW.NETDigitalGMSK250 1300HZNET14
14103Robust Packet TELPAC BBS DB0UALDigitalRobust Packet (RPR) 300/600bps OFDM 500Hz BWhttp://www.oevsv.at/export/sites/dachverband/interessensgruppen/aprs/APRS_auf_KW/Robust_Packet_Radio_rev1.pdf
14103.3Network 105Digital http://ka1fsb.home.att.net/net105.html
14106.5olivia 32/1000DigitalCenter of 1000 hz 
14107.5olivia 32/1000CW  
14107.5olivia 32/1000Digitalcenter on 1000 hz on waterfall 
14111KG-STVDigital  
14112PAXDigitalUSB Dial Frequency=14112.0 (Audio Center Frequency=1000Hz) 
14117.3ARRL SkipnetDigitalNet119. Zero beat 14.119 LSBhttp://www.uspacket.org/hfnets.htm
14125EmergencySSBWICEN – Emergency communications support & training in Australia (VK)http://www.wicen.org.au/
14140National netsSSBnational nets and Canada 20M calling frequency 
14183ANZA DX NetSSBAustralia, New Zealand, Africa Net. Anyone, anywhere welcomewww.anzadx.net
14195International Mr. Nino (IT9RYH) and company frequency.SSBIf empty (If Mr. Nino is not working on this channel) this Frequency may be used for DX-peditions 
14227SSTV analogDigitalMost of JA contest for slow scan are here 
14230SSTVDigital  
14233SSTVDigitalDigital (DRM) 
14236Digital VoiceOtherDigital Voice Nethttp://www.melwhitten.com/
14238.5Trivia+Bologna NetSSBdaily tech and personal chat 
14245SSTV RepeaterOtherVK4ET Repeater 
14260IOTASSB http://www.rsgbiota.org/
14262Buckeye NetSSBMon-Sat 11:30-Noon Eastern Time 
14262BUCKEYE EVENING NETSSBEVENING BUCKEYE NET EVERYONE WELCOMEhttp://w2csi.com
14263Collins NetSSBSundays at 2100 zulu 
14265SATERNSSB http://www.wx4nhc.org/
14265HongKongSSBHong Kong calling frequency, informal net. Cantonese (and other chinese languages) commonly spoken on this frequency in Asia. (USB voice)http://www.harts-web.org
14270ChineseSSBChina calling frequency. China EMCOMM. Chinese languages commonly spoken on this frequency in Asia. 
14280EMCOMMSSBNATIONAL EMCOMM TRAFFIC SERVICE (NETS) WATCH • MONITOR • CALLING • TRAFFIC FREQUENCIEShttp://www.wrrl.org/n_e_t_s_.asp
14280AMAMPer Electric Radio publication 
14282Amsat netSSBThere is still an Amsat net on 14.282 Sundays beginning around 1800z. Keith W5IU and Larry W7LB run it, with a cast of extras joining in from the fringes. First hour is informal discussions, followed by the reading of the Amsat bulletins. 
14285QRPSSB  
14286AMAM  
14290W1AWSSB http://www.arrl.org/w1aw.html
14290OMISSSSB omiss.net
14290Radio Scout FrequencySSB http://home.tiscali.nl/worldscout/Jota/frequencies.htm
14290OMISS 20m SSB NetSSBDaily 1830zwww.omiss.net
14292Swan Users NetSSBSundays 2100Z, All are welcome 
14295OMIK NetSSBHealth and Welfare traffic and club member info exchanges. The net meets every Sunday from 11.00 AM EST/EDST until 12:30 PM eastern time.http://www.omikradio.org
14300Maritime Mobile NetSSBNet in progress 15 hours per dayhttp://www.mmsn.org/
14300Intercontinental Traffic Net (Intercon)SSB http://www.interconnet.org/
14300pacific seafarersnetCWRAKA sailboat 
14303International Assistance and Traffic NetSSB6:30AM Eastern Winter, 7:00AM Eastern Summer 
14303Maritime Mobile NetSSBStart time 0800Z & 1800Zhttp://www.rnars.org.uk/Nets_DX.htm
14303.5Elecraft Users SSBSSBSunday 1800Z; all are welcomewww.elecraft.com
14303.5Elecraft SSB Sunday NetSSB1600 UTC Sundays 
14303.5Elecraft NetSSBSunday 1800z (Sunday 11am PDT) 
14313German maritime mobile net intermarSSB intermar
14316AFSNSSBAmerican Foreign Service Net – Sundays @ 1500z until 1530z. KF7E is Net Control.https://groups.yahoo.com/neo/groups/w3dos/info
14320Knotheads NetSSBThe Knothead Net is called at 9am Eastern M-SA. 
14325Hurricane WatchSSB http://www.wx4nhc.org/
14325Hurricane InfoSSBHurricane Watchhttps://www.hwn.org/
14329FlexRadio Users NetCWSundays @ 1800 UTC on 14.329 MHz ± QRM. The net is also simulcast on the Internet using CQ100 from www.QSOnet.com @ 14.329.www.flex-radio.com
14330AMAMNew 20m AM frequency gradually replacing 14.286 which suffers from SSB QRMhttp://amfone.net/Amforum/index.php?topic=33053.0
14332YL SystemSSB http://www.hamwave.com/cgi-bin/index.cgi?action=viewnews&id=38
14336County Hunting NetSSB http://ch.w6rk.com
14340MaritimeSSBWest Coast,MX,As fas poss into Pacifichttp://www.reocities.com/TheTropics/3989/
14342.5ALEOtherALE voice. Amateur Radio ALE is USB standard Automatic Link Establishment 2.2kHz Bandwidthhttp://hflink.com
14342.5HFPACKSSB– USB – HF Portable Calling Frequency – HFPACK NET – 1130z – 1630z – 2230z – Mobile- Portable – Base – Marine – Aero welcomehttp://hfpack.com
14342.5Flying HamsSSBFlying Hams Net – 2130z – Tuesday/Thursdayhttp://groups.yahoo.com/group/flying_hams/
14342.5SELCALLOtherUSB – Amateur SELCALL – UPPER SIDEBAND Dial Frequency – Selective Calling CCIR 493 – 1700Hz 100baud, for use with SSB Voicehttp://www.hflink.com/channels/
14346ALEOtherALE voice. Amateur Radio ALE is USB standard Automatic Link Establishment 2.2kHz Bandwidthhttp://hflink.com
14346HFPACKSSB-USB- HF Portable Calling Frequency – alternate – HFPACK NEThttp://hfpack.com
18080Radio Scout FrequencyCW http://home.tiscali.nl/worldscout/Jota/frequencies.htm
18080CQ-QSOCWFrequency to do CQ-QSO Runshttp://cq-qso.com/
18081.5HFPACKCWHF Portable CW Calling Frequency – Pedestrian Mobile – Backpack Portable – Bike Mobile – HFpackhttp://hfpack.com
18085FISTSCW http://www.fists.org
18091.5County Hunting NetCW http://ch.w6rk.com/
18096QRPCW  
18097.5W1AWCW http://www.arrl.org/w1aw.html
18098IOTACW http://www.rsgbiota.org/
18102JT65ADigital+/- 1 khz on USB 
18102JT65DigitalUSB dial freq. 
18102.5W1AWDigital http://www.arrl.org/w1aw.html
18103.9Propagation trackingDigitalPropNET is an ad-hoc 2-way RF-based digital communication network whose activity is reported on the Internet for the purpose of propagation tracking.http://www.propnet.org
18103.9Propnet PSK31DigitalPropnet Automatically Controlled Digital Stationhttp://propnet.org
18104.6WSPRDigitalWeak Signal Propagation Reporter Networkwsprnet.org
18106ALEOtherALE data, sounding. Amateur Radio ALE is USB standard Automatic Link Establishment 2.2kHz Bandwidthhttp://hflink.com
18109.5PacketDigital17m Robust Packet (18.108 USB dial w/ 1500 Hz CF)http://groups.yahoo.com/group/robustpacket/
18110NCDXF BeaconsCW http://www.ncdxf.org/beacons.html
18115.3ARRL SkipnetDigitalNet117. Zero beat 18.117 LSBhttp://www.uspacket.org/hfnets.htm
18117N-SSTVOther https://narrowsstv.wordpress.com/
18117Narrow SSTVOtherAny MP-N Modes in MMSSTVhttps://www.facebook.com/groups/NarrowSSTV/
18127.5ALEOtherALE voice. Amateur Radio ALE is USB standard Automatic Link Establishment 2.2kHz Bandwidthhttp://hflink.com
18127.5HFPACKSSB– USB – HFpack – HF Portable – Calling Frequency – Alternatehttp://hfpack.com
18128IOTASSB http://www.rsgbiota.org/
18130QRPSSB  
18140Radio Scout FrequencySSB http://home.tiscali.nl/worldscout/Jota/frequencies.htm
18150AMAM  
18150EmergencySSBWICEN – Emergency communications support & training in Australia (VK)http://www.wicen.org.au/
18150CQ-QSOSSBFrequency to do CQ-QSO Runshttp://cq-qso.com/
18157.5ALEOtherALE voice. Amateur Radio ALE is USB standard Automatic Link Establishment 2.2kHz Bandwidthhttp://hflink.com
18157.5HFPACKSSB-USB- HF Portable Calling Frequency – HFPACK NET – 1130z – 1630z – 2230z – mobile – portable – base – marine – aero – QRP – QRO – welcomehttp://hfpack.com
18157.5SELCALLOtherUSB – Amateur SELCALL – UPPER SIDEBAND Dial Frequency – Selective Calling CCIR 493 – 1700Hz 100baud, for use with SSB Voicehttp://www.hflink.com/channels/
18158OMISS 17m SSB NetSSBFri/Sat at 1900, also holidayswww.omiss.net
18160W1AWSSB http://www.arrl.org/w1aw.html
18165OMISSSSB omiss.net
21040IOTACW http://www.rsgbiota.org/
21055QRS CWCW  
21056.5County Hunting NetCW http://ch.w6rk.com/
21058FISTSCW http://www.fists.org
21060QRPCW  
21060QRPCWCW 
21065CQ-QSOCWFrequency to do CQ-QSO Runshttp://cq-qso.com/
21067.5W1AWCW http://www.arrl.org/w1aw.html
21076JT65ADigital+/- 1 khz on USB 
21076JT65DigitalUSB dial freq.http://groups.google.com/group/jt65-hf
21089DominoEXDigitalfor for audio offset @ 1kHz: use USB and TRX displayed as 21088 kHz 
21094.6WSPRDigitalWeak Signal Propagation Reporter Networkwsprnet.org
21095W1AWDigital http://www.arrl.org/w1aw.html
21098Propagation trackingDigitalPropNET is an ad-hoc 2-way RF-based digital communication network whose activity is reported on the Internet for the purpose of propagation tracking.http://www.propnet.org
21099.5PacketDigital15m Robust Packet (21.098 USB dial w/ 1500 Hz CF)http://groups.yahoo.com/group/robustpacket/
21110QRPDigital  
21110ROSDigitalalso 21115 
21140Radio Scout FrequencyCW http://home.tiscali.nl/worldscout/Jota/frequencies.htm
21150NCDXF BeaconsCW http://www.ncdxf.org/beacons.html
21157.5ALEOtherALE data, sounding. Amateur Radio ALE is USB standard Automatic Link Establishment 2.2kHz Bandwidthhttp://hflink.com
21158FISTSCWNOVICEhttp://www.fists.org
21190EmergencySSBWICEN – Emergency communications support & training in Australia (VK)http://www.wicen.org.au/
21260IOTASSB http://www.rsgbiota.org/
21270CQ-QSOSSBFrequency to do CQ-QSO Runshttp://cq-qso.com/
21285AMAMAM QSOhttp://www.amwindow.org/freq.htm
21340SSTVDigital  
21345FAXDigital  
21360OMISSSSB omiss.net
21360Radio Scout FrequencySSB http://home.tiscali.nl/worldscout/Jota/frequencies.htm
21385QRPSSB  
21390W1AWSSB http://www.arrl.org/w1aw.html
21395OMISS 15m SSB NetSSBFri/Sat at 1700z, also holidayswww.omiss.net
21412Maritime Net 2100z-2400zSSBPacific Maritime Mobel Service Net, every day 2100z-2400z on 21.412 Mhzhttp://www.pmmsn.net/
21412Pacific Maritime Mobile Service NetSSBDaily 2100 to 2400http://www.pmmsn.net
21412Pacific Maritime mobile Service NetSSBPacific Maritime Mobile Service Net. Daily Nets 2100 to 2400 hours GMT.http://www.pmmsn.net/
21416AFSNSSBAmerican Foreign Service Net – Sundays @ 1530z until 1600z. KF7E is Net Control.https://groups.yahoo.com/neo/groups/w3dos/info
21425AMAMAM QSOhttp://www.amwindow.org/freq.htm
21437.5ALEOtherALE voice. Amateur Radio ALE is USB standard Automatic Link Establishment 2.2kHz Bandwidthhttp://hflink.com
21437.5HFPACKSSB– USB – HF Portable Calling Frequency – Mobile- Portable – Base – Marine – Aero – HFPACK NET alternatehttp://hfpack.com
21437.5SELCALLOtherUSB – Amateur SELCALL – UPPER SIDEBAND Dial Frequency – Selective Calling CCIR 493 – 1700Hz 100baud, for use with SSB Voicehttp://www.hflink.com/channels/
24906QRPCW  
24910Radio Scout FrequencyCW http://home.tiscali.nl/worldscout/Jota/frequencies.htm
24911CQ-QSOCWFrequency to do CQ-QSO Runshttp://cq-qso.com/
24917JT65ADigitalThis replaces 24920http://hflink.com/jt65/
24917JT65DigitalUSB dial freq.http://groups.google.com/group/jt65-hf
24918FISTSCW http://www.fists.org
24920JT65ADigital+/- 1 khz on USB 
24923JT65ADigital  
24924Propagation trackingDigitalPropNET is an ad-hoc 2-way RF-based digital communication network whose activity is reported on the Internet for the purpose of propagation tracking.http://www.propnet.org
24924Propnet PSK31DigitalPropnet Automatically Controlled Digital Stationhttp://propnet.org
24924.6WSPRDigitalWeak Signal Propagation Reporter Networkwsprnet.org
24926ALEOtherALE data, sounding. Amateur Radio ALE is USB standard Automatic Link Establishment 2.2kHz Bandwidthhttp://hflink.com
24927N-SSTVOthernarrow SSTVhttps://narrowsstv.wordpress.com/
24927Narrow SSTVOtherAny MP-N Modes in MMSSTVhttps://www.facebook.com/groups/NarrowSSTV/
24930NCDXF BeaconsCW http://www.ncdxf.org/beacons.html
24950IOTASSB http://www.rsgbiota.org/
24950QRPSSB  
24950EmergencySSBWICEN – Emergency communications support & training in Australia (VK)http://www.wicen.org.au/
24960Radio Scout FrequencySSB http://home.tiscali.nl/worldscout/Jota/frequencies.htm
24970CQ-QSOSSBFrequency to do CQ-QSO Runshttp://cq-qso.com/
24977.5ALEOtherALE voice. Amateur Radio ALE is USB standard Automatic Link Establishment 2.2kHz Bandwidthhttp://hflink.com
24977.5HFPACKSSB– USB – HF Portable Calling Frequency – Mobile- Portable – Base – Marine – Aerohttp://hfpack.com
24987.512m Narrow FM CallingFMLegal if modulation index is < 1 
28052RNARS Calling-FrequencyCWCW Ham Stations wishing to contact Royal Naval Amateur Radio Society pse use this freq. for CW contact on this band: not exclusiveNil
28052RNARS Calling-FrequencyCWCW Ham Stations wishing to contact Royal Naval Amateur Radio Society pse use this freq. for CW contact on this band: not exclusiveRNARS.org
28052RNARS Calling-FrequencyCWNon-RNARS callers welcome to joinRNARS.org
28056.5County Hunting NetCW http://ch.w6rk.com/
28058FISTSCW http://www.fists.org
28060QRPCWCW 
28065CQ-QSOCWFrequency to do CQ-QSO Runshttp://cq-qso.com/
28067.5W1AWCW http://www.arrl.org/w1aw.html
28076OliviaDigitalDial Frequency USB. OLIVIA CALLING FREQUENCY – 500/16 Audio Center Frequency=750Hzhttp://hflink.com/olivia/
28076JT65ADigital+/- 1 khz on USB 
28076JT65DigitalUSB dial freq.http://groups.google.com/group/jt65-hf
28095W1AWDigital http://www.arrl.org/w1aw.html
2810110-10 Intl CW Calling FrequencCW  
28110QRPDigital  
28117DominoEXDigitalfor for audio offset @ 1kHz: use USB and TRX displayed as 28116 kHz 
28118.8Propagation trackingDigitalPropNET is an ad-hoc 2-way RF-based digital communication network whose activity is reported on the Internet for the purpose of propagation tracking.http://www.propnet.org
28118.8Propnet PSK31DigitalPropnet Automatically Controlled Digital Stationhttp://propnet.org
28124.6WSPRDigitalWeak Signal Propagation Reporter Networkwsprnet.org
28135Mid-Atlantic Retired Guys NetSSBDC, MD, DE, PA region, USA 
28146ALEOtherALE data, sounding. Amateur Radio ALE is USB standard Automatic Link Establishment 2.2kHz Bandwidthhttp://hflink.com
28158FISTSCWNOVICEhttp://www.fists.org
28180Radio Scout FrequencyCW http://home.tiscali.nl/worldscout/Jota/frequencies.htm
28185ROSDigital28.185 and 28,295 
28200NCDXF BeaconsCW http://www.ncdxf.org/beacons.html
28242CW BeaconCW24/7 Operationhttps://sites.google.com/site/bill8800/wd9cvp10mbeacon
28327.5ALEOtherALE voice. Amateur Radio ALE is USB standard Automatic Link Establishment 2.2kHz Bandwidthhttp://hflink.com
28327.5HFPACKSSB– USB – HF Portable Calling Frequency – Mobile- Portable – Base – Marine – Aerohttp://hfpack.com
28327.5SELCALLOtherUSB – Amateur SELCALL – UPPER SIDEBAND Dial Frequency – Selective Calling CCIR 493 – 1700Hz 100baud, for use with SSB Voicehttp://www.hflink.com/channels/
28337Ohio Rag Chew NetSSBWill get more active when cycle kicks up. 
28370CQ-QSOSSBFrequency to do CQ-QSO Runshttp://cq-qso.com/
28380NARL NetSSBWed nite 7:30PM EST 
28380Ten Ten NetSSBhttp://ten-ten.orghttp://ten-ten.org
28380Ten-Ten Net International netsSSB28800 is one of the two frequencies used for nets by 10-10 Net Internationalhttp://www.ten-ten.org/daily_nets.html
28385QRPSSB  
28385Kentucky Friday Night RagChewSSBKentucky Friday Night RagChew Every Friday Night At 8:00 PM Eastern Time. Everyone Welcome 
28390Radio Scout FrequencySSB http://home.tiscali.nl/worldscout/Jota/frequencies.htm
28400CallingSSBUSB calling 
28415RAGCHEWSSBWestern LINY, NYC and New Jersey 
28416AFSNSSBAmerican Foreign Service Net – Sundays @ 1600z until 1630z KF7E is Net Controlhttps://groups.yahoo.com/neo/groups/w3dos/info
28425Gold City Chapter of 10-10SSBNet @ 1700 UTC WednesdayGoldCityChapter.net
28435Mid-Atlantic Retired Guys NetSSBDC, MD, DE, PA region, USAThis is a correction. NOT 28.135…..
28450Orange County (NC) Monday nightSSBOrange County (NC) Monday night net@2000Lhttp://www.ncocra/org
28450EmergencyCWWICEN – Emergency communications support & training in Australia (VK)http://www.wicen.org.au/
28450EmergencySSBCORRECTION to Mode – sorry. WICEN – Emergency communications support & training in Australia (VK)http://www.wicen.org.au/
28460IOTASSB http://www.rsgbiota.org/
28470Bauxite Chapter 10-10 netSSBBauxite Chapter 10-10 net. All amateurs welcome. Sun & Mon 8:30 pm Central Timehttp://www.nwla.com/bauxite/
28485Atlantic Zone SSB NetSSBOrignates from Northeast Tennessee (Grid EM86)https://wb4ixu.wordpress.com/
28490Pacific Dx WindowSSBVery popular around the pacific 
28560IOTASSB http://www.rsgbiota.org/
28590W1AWSSB http://www.arrl.org/w1aw.html
28665OMISSSSB omiss.net
28665OMISS 10m SSB NetSSBFri/Sat at 1730, also holidayswww.omiss.net
28677SSTV RepeaterOtherWB9KMW Repeater & Beaconwww.WB9KMW.com
28677SSTV BEACONOtherSSTV Beacon 
28680SSTVDigital  
28800Ten Ten NetSSBhttp://ten-ten.orghttp://ten-ten.org
2880010-10 Net InternationalSSB28800 is one of the two frequencies used for nets by 10-10 Net Internationalhttp://www.ten-ten.org/daily_nets.html
288856M DX NetCW6M DX Liaison Frequency 
28885QRPSSB  
29000AMAM10m AM Calling Frequencyhttp://www.amwindow.org/freq.htm
29050Collins NetAMSunday PM once band returnscollinsradio.org
29300FM SimplexFMJA FM Simplex Calling Frequency 
29310c4fmDigitalYaesu System Fusion Frequency for FT991www.va7ref.info
295002nd FM SimplexFMWhen 29600 is busy – stations go here 
29600FM SimplexFM  
29600rag chewFMlocal ragchew, NW UKmbars.co.uk
10100-10120CWCW  
10115-10140SSB segment AustraliaSSBSSB segment Australiahttp://www.wia.org.au/members/bandplans/data/
10124-10127DSSTV/DVOICEDigitalDigital SSTV and DRM Modeshttp://www.kc1cs.com/digi.htm
10130-10132.5BPSK31Digital10130.0 USB Dial Freq PSK31 – PSK63 (proposed new 30m calling frequency for USA, North America, and Region 2)http://groups.yahoo.com/group/psk31/
10130-10140RTTYDigital http://www.aa5au.com/rtty.html
10130-10150RTTYDigitalMost RTTY activity occurs below 10140 and above 10142http://www.aa5au.com/rtty.html
10134.1-10134.7OliviaDigital10134.4kHz_Olivia_500/16_center “OLIVIA CQ FREQUENCY” 10133.65_USB_dial_freq 750Hz_audio_centerhttp://groups.yahoo.com/group/oliviadata
10135-10145Feld HellDigital http://feldhellclub.org/
10137-10142Digital ModesDigital30 Meter Digital Modeshttp://www.projectsandparts.com/30m/
10137.1-10139.2ALEDigital10136.5USB ALE 8FSK – ARQ,Short Text Messaging, Geo Position Reporting, Keyboarding, Automatic Link Establishment Ionospheric Soundinghttp://www.hflink.com/channels/
10139-10141JT65Digital10139.0 kHz USB VFO Dial Frequency JT65 JT65A JT65B Calling (signal frequency 10140.27+)http://www.obriensweb.com/bozoguidejt65a.htm
10140-10140.1QRSS, DFCW, WOLF, JasonDigitalExtreme narrow bandwidth techniqueshttp://www.qsl.net/on7yd/136narro.htm
10140-10145BPSK31Digital  
10140-10150PacketDigital  
10140-10150AutomaticDigitalAutomated Digital Stations – IARU Regionshttp://hflink.com/bandplans/
10140-10150Digital Data ModesDigitalAustralia, Digital Data Modes Onlyhttp://www.wia.org.au/members/bandplans/data/
10140.1-10140.2MEPT_JTDigitalNew MEPT_JT mode by, Joe, K1JT.http://physics.princeton.edu/pulsar/K1JT/MEPT_Announcement.TXT
10140.1-10140.2MEPT_JT/WSPRDigitalWeak Signal Propagation Reporter – dial 10.13865 USBhttp://physics.princeton.edu/pulsar/K1JT/
10140.1-10140.3WSPRDigitalUSB dial 10138.7, audio 1400…1600Hzhttp://wsprnet.org/
10140.8-10143.8ALEOther10140.5 kHz USB Automatic Link Establishment High Frequency Network – IARU Region 1, Region 2, Region 3; Data/Text/Messaginghttp://hflink.com
10142-10146DominoEXDigitalnominal mode DominoEX 11 
10145.5-10148.1ALEOtherUSB – 8FSK – ALE data, sounding, Selective Calling, ARQ file exchange. USB_Dial_Frequency=10145.5kHz Amateur Radio ALE is USB standard Automatic Link Establishment 2.2kHz Bandwidth (lowest_freq=750Hz; highest_freq=2500Hz)http://hflink.com
10145.5-10148.5ALEDigital10145.5kHz USB Global ALE High Frequency Network (HFN) provides HF internet messaging connectivity, HF to SMS cellphone mobile texting, HF-to-HF text relay, selective calling, and interoperability 24/7/365http://hflink.com/hfn
10147.8-10148.2pskmail/aprs serversDigital10147.750, 10148, 10148.250 BPSK63/ARQhttp://pskmail.wikispaces.com
10148-10149APRS Robust Packet OFDMDigitalAPRS RobustPR dial10147,3 USB +1500Hz OFDM 500Hz BWhttp://www.oevsv.at/export/sites/dachverband/interessensgruppen/aprs/APRS_auf_KW/Robust_Packet_Radio_rev1.pdf
10149.1-10149.5APRSDigitalAPRS – 300baud FSK packet network for geo-position reporting. Mobiles, portables, marine. (LSB_Dial_frequency=10151kHz_LSB;Mark=1800Hz) (LSB_Dial Frequency=10151.51;Center=2210Hz)http://www.aprs.net/vm/DOS/HF.HTM
14000-14025DX WindowCWCW 
14000-14070CWCW  
14063-14069Feld HellDigitalCommon Feld Hell range 
14070-14072.5QPSK31Digital  
14070-14072.5FSK31Digital  
14070-14072.5BPSK31Digital14070.0 USB – PSK31 [International] (Center of Activity 1kHz audio) 
14071.5-14073.5PSK63Digital14071.5 USB PSK63 [International] (Center of Activity 1000Hz audio) 
14072-14072.2THOR 16Digital  
14073-14075THOR 4-22DigitalTHE BEST OF ALL DIGIMODES WOW MODE 
14073-14077CHIP64DigitalMixed with other DATA modes in Region 2 
14075-14082Feld HellDigital http://feldhellclub.org/
14075-14082Feld HellDigitalThis is the old Feld Hell range, no longer in use 
14075.5-14078OliviaDigitalOlivia 500. Olivia 500/16 – USB Audio Center Frequency 750Hz – Signals spaced every 0.5kHz in this rangehttp://hflink.com/olivia/
14076-14078JT65Digital14076.0 kHz USB VFO Dial Frequency. JT65 JT65A JT65B Calling (signal frequency 14077.27+)http://www.obriensweb.com/bozoguidejt65a.htm
14076.1-14076.7OliviaDigitalOLIVIA_500/16_ACTIVE_FREQ 14076.4kHz_Center_Freq. (Dial_Freq=14.075.65kHz_Audio_center=750Hz Olivia500/16_Lowest_Olivia_tone=516Hz)http://hflink.com/olivia/
14077.1-14077.6OliviaDigitalOLIVIA_500/16 – 14077.4kHz_Center_Freq. (Dial_Freq=14.076.65kHz_Audio_center=750Hz Olivia500/16_Lowest_Olivia_tone=516Hz)http://hflink.com/olivia/
14078-14079JT9Digital18 July 2013 von Nick 
14078-14080ThrobDigital  
14078-14082MFSK16DigitalMFSK8 and 16 normal area of operation USB 
14078.1-14078.7OliviaDigitalOLIVIA_500/16 – 14078.4kHz_Center_Freq. (USB_Dial_Freq=14.077.65_Audio_center=750Hz Olivia500/16_Lowest_Olivia_tone=516Hz)http://hflink.com/olivia/
14079-14089RTTYDigital14080+ RTTY – FSK 45.45baud 170Hz Shift – Normal Center of Activity [International] 
14080-14084DominoEXDigitalnominal mode DominoEX 11 
14080-14110RTTYDigital http://www.aa5au.com/rtty.html
14089-14099AutomaticDigitalAutomated Digital Stations – 500Hz Bandwidth – IARU Regions 1,http://hflink.com/bandplans/
14090-14110PacketDigital  
14097-14097.2MEPT_JT/WSPRDigitalWeak Signal Propagation Reporter – dial 14.0956 USBhttp://physics.princeton.edu/pulsar/K1JT/
14098.1-14098.5APRSDigitalAPRS – 300baud FSK packet network for geo-position reporting. Mobiles, portables, marine. (LSB_Dial_frequency=14100kHz_LSB;Mark=1800Hz) (LSB_Dial Frequency=14100.51;Center=2210Hz)http://www.aprs.net/vm/DOS/HF.HTM
14100.5-14112AutomaticDigitalAutomated Digital Stations – ALL Regions IARU – 2700HzBWhttp://hflink.com/bandplans/
14100.6-14102.8Pactor3DigitalWinlink2000 Networkhttp://www.winlink.org/
14101.1-14103.2ALEDigital14100.5kHz_USB_Dial_Freq_ALE – 8FSK – Selective Calling – Text Messaging – Propagation – Amateur Automatic Link Establishment – Internationalhttp://www.hflink.com/channels/
14101.2-14101.4HF PacketDigitalNet14 packet network, especially in Europe. VFO = 14103.0 kHz LSBhttp://www.bandscommunications.co.uk/
14101.6-14103.8Pactor3Digital14102.7 Winlink2000 Networkhttp://www.winlink.org/
14101.8-14104Pactor3Digital14102.9 Winlink2000 Networkhttp://www.winlink.org/
14102-14101APRS Robust Packet OFDMDigitalworld wide APRS channel in new ROBUST PR mode, GATEWAYShttp://www.oevsv.at/export/sites/dachverband/interessensgruppen/aprs/APRS_auf_KW/Robust_Packet_Radio_rev1.pdf
14102.1-14104.3Pactor3Digital14103.2 Winlink2000 Networkhttp://www.winlink.org/
14103.1-14105.3Pactor3Digital14104.2 Winlink 2000 Networkhttp://www.winlink.org/
14103.2-14103.4HF PacketDigitalOld style packet net in North America. FSK tone frequencies = 14103.21kHz +14103.41kHz. VFO dial frequency =14105.0kHz LSB 
14103.2-14103.4Network 105Digitalset VFO 14105.0 LSBhttp://mysite.verizon.net/ka1fsb/idx105.html
14103.8-14106Pactor3Digital14104.9 Winlink 2000 Networkhttp://www.winlink.org/
14104-14109OliviaDigitalOLIVIA 1000/32. Audio Center Freq 1000Hz- 14104.5/14105.5/14106.5/14107.5/14108.5http://hflink.com/olivia/
14105.6-14107.8Pactor3Digital14106.7 Winlink2000 Networkhttp://www.winlink.org/
14105.8-14108Pactor3Digital14106.9 Winlink2000 Networkhttp://www.winlink.org/
14107.8-14110Pactor3Digital14108.9 Winlink2000 Networkhttp://www.winlink.org/
14108.1-14110.3Pactor3Digital14109.2 Winlink2000 Networkhttp://www.winlink.org/
14108.8-14111.1Pactor3Digital14109.9 / 14110.0 Winlink2000 Networkhttp://www.winlink.org/
14109-14111MT63Digital  
14109-14112ALEDigital14109.0kHz USB Global ALE High Frequency Network (HFN) provides HF internet messaging connectivity, HF to SMS cellphone mobile texting, HF-to-HF text relay, selective calling, and interoperability 24/7/365http://hflink.com/hfn
14109-14112ALEDigital14109.0kHz USB Global ALE High Frequency Network – Emergency/Disaster Relief frequency (Automatic Link Establishment )http://hflink.com/hfn/
14109.5-14112ALEDigitalALE. USB – 8FSK – ARQ. File Transfer and Text Keyboarding via Automatic Link Establishment with ARQhttp://hflink.com
14109.5-14112ALEOther14109.5 USB Automatic Link Establishment High Frequency Network 24/7 Pilot Channel Frequency – IARU Region 1, IARU Region 2, IARU Region 3; Data/Text/Messaging.http://hflink.com
14109.9-14112.1Pactor3Digital14111.0 Winlink2000 Networkhttp://www.winlink.org/
14110.5-14111.5PskMailDigitalPskMail, 500 Hz wide. PSKR500 default modewww.pskmail.com
14110.8-14113.1Pactor3Digital14111.9 / 14112.0 Winlink2000 Networkhttp://www.winlink.org/
14111.8-14114.1Pactor3Digital14112.9 / 14113.0 Winlink 2000 Networkhttp://www.winlink.org/
14112.3-14115.3ALEOther14112.0 kHz USB – ALE – 8FSK, 6PSK, 8PSK,Texting/Keyboarding QSO – DBM ARQ – FAE ARQ – RFSM2400http://hflink.com
14112.5-14115.5ROSDigitalVFO Dial Frequency = 14112.5 kHz USB – ROS digital mode – weak signal 
14112.8-14115.1Pactor3Digital14113.9 / 14114.0 Winlink2000 Networkhttp://www.winlink.org/
14114.9-14117.1Pactor3Digital14116.0 Winlink2000 Networkhttp://www.winlink.org/
14116.8-14119Pactor3Digital14117.9 Winlink2000 Networkhttp://www.winlink.org/
14119.5-14121.7Pactor3Digital14120.6 Winlink2000 Networkhttp://www.winlink.org/
14150-14350SSBSSB  
14180-14185ANZA dxnetSSBlist operation 0515 utc daily 
14185-14225SSBSSBUSB – DXing 
14230-14233sstvDigitalgroups 
14236-14239DigiVoiceDigital14236.0 USB Digital Voice Calling Frequency (DV) [International] 
14252.5-14262.5SSBSSBUSB – Special Events Stations 
14260-14265SouthBearsSSBSouthBears Emergency Net Sun 17:30 easternsouthbears.net
14265-14347SSBSSBUSB – Various Nets 
1800-1810DigitalDigital  
1800-2000CWCW  
1800-2000SSBSSBGenerally 1843-2000 kHz 
1805-1810Ragchewing & DXDigitalRTTY 
1806-1808.8ALEOtherUSB 1806.0kHz – ALE Automatic Link Establishment (IARU Regions 2 and 3) Voice/Datahttp://hflink.com
18068-18100CWCW  
1807-1810BPSK31DigitalREGION 1 
18100-18105BPSK31Digital  
18100-18110RTTYDigital http://www.aa5au.com/rtty.html
18101-18107Feld HellDigital http://feldhellclub.org/
18103.1-18103.7OliviaDigitalOLIVIA_Calling_Freq_18103.4kHz(Center_Freq). DIAL_FREQ=18102.65kHzUSB – AudioCenterMarker=750Hz – Olivia Format=500/16 [International]http://hflink.com/olivia/olivia.html
18104-18105JT9Digital  
18105-18107.3ALEOther18104.5 kHz USB Automatic Link Establishment High Frequency Network- Data/Text/Messaging – QSO Keyboarding – 8FSK – AMD, DBM ARQ, FAE ARQ.http://hflink.com
18105-18109AutomaticDigitalAutomated Digital Stations – IARU Regionshttp://hflink.com/bandplans/
18105-18110PacketDigital  
18106-18109ALEDigital18106.0kHz USB Global ALE High Frequency Network (HFN) provides HF internet messaging connectivity, HF to SMS cellphone mobile texting, HF-to-HF text relay, selective calling, and interoperability 24/7/365http://hflink.com/hfn
18107.5-18108.5PskMailDigital18108 center of 500 Hz modes. PSKR500 default.www.pskmail.com
18110-18168SSBSSB  
18111-18120AutomaticDigitalAutomated Digital Stations – IARU Region 1 (2700Hz Bandwidth)http://hflink.com/bandplans/
18117.5-18120.2ALEOther18117.5 USB – Voice/Data – ALE International Common channel. Automatic Link Establishment and Selective Calling.http://www.hflink.com/
18162.5-18165DigiVoiceDigital18162.5 USB – Digital Voice – Calling Frequency [International] 
18165-18170Airborn ham-pilotsSSB  
1830-1840DX WindowCWIntercontinental DX window 
1836-1838JT65DigitalJT65 in USB 
1837-1840digimodesDigitalPSK/Olivia/MFSK/JT65A all found here (East Coast US) 
1838-1838.2WSPR mode DXDigitalQRP weak signal DX. Radio dial freq 1836.6http://dev.wsprnet.org/drupal/
1840-1843DigitalDigitalIARU Region 1 – Digimodes – All modes – 2700Hz Bandwidthhttp://hflink.com/bandplans/
1840-1843ROSDigitalVFO Dial Frequency = 1840.0 kHz USB – ROS digital mode – weak signal 
1840-1850DX WindowSSBIntercontinental DX window 
1840.5-1843.2ALEOtherUSB – 1840.5 kHz ALE Automatic Link Establishment (IARU Region 1) Data/Voicehttp://hflink.com
1880-1950AMAMPer Electric Radio publication 
1995-2000ExperimentalOther  
1996-1999HFPACKSSB– USB – HFpack – HF Portable – calling frequency – alternate – localhttp://hfpack.com
1999-2000BeaconsCW  
21000-21025DX WindowCWCW 
21000-21070CWCW  
21063-21070Feld HellDigital http://feldhellclub.org/
21070-21075BPSK31Digital  
21070-21100RTTYDigital http://www.aa5au.com/rtty.html
21078-21079JT9Digital  
21086.5-21087OliviaDigitalOLIVIA 500/16 CALLING FREQUENCY – USB_Dial_Frequency_21086.5 – Audio_Center_Frequency_750Hzhttp://hflink.com
21090-21110AutomaticDigitalAutomated Digital Stations – Region 1 – Bandwidth 500Hzhttp://hflink.com/bandplans/
21096-21099ALEOther21096.0 kHz USB – Automatic Link Establishment – High Frequency Network 24/7 Pilot Channel Frequency – IARU Region 2, IARU Region 3 – Digital Texting/Datahttp://hflink.com
21096-21099ALEDigital21096.0kHz USB Global ALE High Frequency Network (HFN) provides HF internet messaging connectivity, HF to SMS cellphone mobile texting, HF-to-HF text relay, selective calling, and interoperability 24/7/365http://hflink.com/hfn
21100-21110PacketDigital  
21110-21120AutomaticDigitalAutomated Digital Stations – IARU Region 1 – 2700Hz Bandwidthhttp://hflink.com/bandplans/
21116-21119ALEOther21116.0 kHz USB – Automatic Link Establishment High Frequency Network 24/7 Pilot Channel Frequency – IARU Region 1 – Texting/Datahttp://hflink.com
21117.5-21120ALEOtherUSB – 21117.5kHz ALE – Automatic Link Establishmenthttp://hflink.com
21151-21160AutomaticDigitalAutomated Digital Stationshttp://hflink.com/bandplans/
21152.5-21153.5OliviaDigitalOLIVIA 1000/32 CALLING FREQUENCY – Dial_Frequency_21152.5 – Audio_Center_Frequency_1000Hz (note: this segment shared with automatic stations)http://hflink.com/olivia/
21152.5-21155.5ROSDigitalVFO Dial Frequency = 21152.5 kHz USB – ROS digital mode – weak signal 
21200-21450SSBSSB  
21400-21450AMAMPer Electric Radio publication 
24890-24920CWCW  
24920-24925BPSK31Digital  
24920-24925Feld HellDigital http://feldhellclub.org/
24920-24930RTTYDigital http://www.aa5au.com/rtty.html
24925-24929AutomaticDigitalAutomated Digital Stationshttp://hflink.com/bandplans/
24925-24930PacketDigital  
24926-24929ALEDigital24926.0kHz USB Global ALE High Frequency Network (HFN) provides HF internet messaging connectivity, HF to SMS cellphone mobile texting, HF-to-HF text relay, selective calling, and interoperability 24/7/365http://hflink.com/hfn
24930-24990SSBSSB  
24931-24940AutomaticOtherAutomated Stations – IARU Region 1 (Bandwidth 2700Hz)http://hflink.com/bandplans/
28000-28025DX WindowCWCW 
28000-28070CWCW  
28063-28070Feld HellDigital http://feldhellclub.org/
28070-28150RTTYDigital http://www.aa5au.com/rtty.html
28078-28079JT9Digital  
28100-28110Feld HellDigital http://feldhellclub.org/
28120-28125BPSK31Digital  
28120-28150AutomaticDigitalAutomated Digital Stations – Region 1 (500Hz Bandwidth)http://hflink.com/bandplans/
28120-28189AutomaticDigitalAutomated Digital Stationshttp://hflink.com/bandplans
28123-28126THORDigitalBEST OF THE DIGIMODES 
28126-28126.2WSPRDigitalWhisper WSPR Weak Signal Propagtion Reporting – Low Power Levels usedhttp://wsprnet.org/drupal/
28140-28142PacketCWAPRS at 28.140 USB dial (1700 Hz CF)http://homepage.ntlworld.com/j.brightman/net14frequ.htm
28146-28149ALEDigital28146.0kHz USB Global ALE High Frequency Network (HFN) provides HF internet messaging connectivity, HF to SMS cellphone mobile texting, HF-to-HF text relay, selective calling, and interoperability 24/7/365http://hflink.com/hfn
28200-28300BeaconsCW  
28225.5-28228.5ROSDigitalVFO Dial Frequency = 28225.5 kHz USB – ROS digital mode – weak signal 
28300-28320AutomaticOtherAutomated Stations – IARU Region 1 (2700Hz Bandwidth)http://hflink.com/bandplans/
28300-29300SSBSSB  
29000-29200AMAM  
29200-29300AutomaticOtherAutomated Stations – IARU Region 1 (6kHz Bandwidth)http://hflink.com/bandplans/
29300-29510Satellite downlinkOther  
29520-29590RepeatersFMInputs 
29610-29700RepeatersFMOutputs 
3500-3510DX WindowCWCW 
3500-3600CWCW  
3500-3600cw-rtty-psk, etcDigitalNo digital allowed above 3600 kHz 
3520-3525DigitalDigitalJapanese digital window 
3520-3530Japan Digital WindowDigitalThis is a correction of what is currently listedhttp://jarts.jp/rules2013.html
3555-3555.5NAQCC FRNCW8pm Pacific Time Sundays and Mondayshttp://naqcc.info/cw_nets.html
3570-3575BPSK31Digital  
3577-3580ROSDigitalVFO Dial Frequency = 3577.0 kHz USB – ROS digital mode – weak signal 
3578-3579JT9Digital  
3580-3582BPSK31DigitalALL DIGIS on USB in Region 2 BPSK31,QPSK31 
3580-3620RTTYDigital http://www.aa5au.com/rtty.html
3582-3589Feld HellDigital http://feldhellclub.org/
3582.5-3584.5OliviaDigital-USB Dial Frequency- OLIVIA 500/16 CALLING FREQUENCY 3582.5 USB- Audio Center Frequency=750Hzhttp://hflink.com/olivia/
3583-3586THOR 4-22DigitalBEST OF THE DIGIMODES 
3585.1-3587.4ALEOther3584.5 kHz USB Automatic Link Establishment High Frequency Network- North America – IARU Region 2 – Data/Text/Messaging – 8FSK – AMD, DBM ARQ, FAE ARQ.http://hflink.com
3590-3593ALEOther3589.5 USB Automatic Link Establishment High Frequency Network (QSY Text/Data Frequency)http://hflink.com/
3590-3600AutomaticDigitalAutomated Digital Stations – IARU Region 1 (500Hz Bandwidth)http://hflink.com/bandplans/
3594-3594.2MEPT_JT/WSPRDigitalWeak Signal Propagation Reporter – dial 3.5926 USBhttp://physics.princeton.edu/pulsar/K1JT/
3596-3599ALEDigital3596.0kHz USB Global ALE High Frequency Network (HFN) provides HF internet messaging connectivity, HF to SMS cellphone mobile texting, HF-to-HF text relay, selective calling, and interoperability 24/7/365http://hflink.com/hfn
3596.2-3599.3ALEOther3596.0 kHz USB – ALE – Automatic Link Establishment – International Amateur Radio ALE Network – Selective Calling – GPS Reporting – Data – Texting, 8FSK MIL-STD 188-141 and MIL-STD 188-110http://hflink.com
3600-3620AutomaticDigitalAutomated Digital Stations – IARU Region 1http://hflink.com/bandplans/
3600-3800SSBOtherAll Modes – Region 1 (2700Hz_Bandwidth)[SSB Digi SSTV etc]http://www.hflink.com/bandplans/region1_bandplan.pdf
3600-4000SSBSSB  
3603-3606ROSDigitalVFO Dial Frequency = 3603.0 kHz USB – ROS digital mode – weak signal 
3617-3619.8ALEOtherUSB – 3617.0 kHz ALE – Automatic Link Establishment (IARU Regions 1 and 3) Data/Voicehttp://hflink.com
3620-3635PacketDigital  
3620-3635AutomaticDigitalAutomated Digital Stationshttp://hflink.com/bandplans/
3620-3640DigitalDigitalAustralian digital window 
3725-3750Local and Provincial SSB netsSSBtraditional Canadian traffic and emergency nets 
3733-3739HamDRMDigital http://www.qslnet.de/f6gia
3775-3800DX Window – SSBSSBIARU – ALL Regions except US (3790-3800)http://www.iaru.org/
3790-3800DX WindowSSBSSB 
3805-3806Collins NetSSBTues&Thurs 8-10 PM Central Timecollinsradio.org
3825-3832Traffic, WAS NetSSB www.omiss.net
3830-3833SSB LSB VoiceSSBRodger Net NY/NJ/PA 
3845-3848ALEOther3845 kHz USB Automatic Link Establishment – Voice Net – Eastern USA – North America – IARU Region 2http://hflink.com
3870-3890AM WINDOWAM3885 AM CALLING, 3870-3890 AM WORKING 
3870-3890AMAMPer Electric Radio publication 
3977-3980Oregon Emergency NetSSBLSB on dial 3980 – 6PM to ~7:30PM 7 days/wkW7OEN.net
3977-3980Oregon Emergency NetSSBLSB on dial 3980 – 6PM to ~7:30PM 7 days/wkW7OEN.net
3985-3982.5Wisconsin Traffic NetsSSBNTS nets: Badger Weather Net 1100Z; Badger Emergency Net 1800Z; Wis Side Band Net 2300Z0http://www.arrl.org/files/media/Group/NCS110610.htm
3986-3989DigiVoiceDigitalUSB 3986.0 kHz – Digital Voice Net (Alternate) North Americahttp://hfpack.com
3991-3994DigiVoiceDigitalUSB 3991.0 kHz Digital Voice Calling – Net (Primary) – North Americahttp://hfpack.com
3996-399980m SSTVSSBnew analog sstv working frequencyhttp://webpages.charter.net/partytown/sstvcam.htm
50-50.1CWCW  
50.01-50.3SSBSSBEurope 
50.06-50.08BeaconsCW  
50.1-50.125DX WindowOtherMixed CW/SSB 
50.1-50.3SSBSSB  
50.215-50.25JT6MDigitalEUROPE JT6m (Center 50.230) 
50.255-50.285DigitalDigitalFSK441 & JT6M meteor scatterhttp://www.qsl.net/digitalonsix/
50.292-50.2925OliviaDigitalOLIVIA CALLING FREQUENCY – Dial_Frequency=50291.5kHzUSB – Audio_Center_Frequency_750Hz – Olivia_Format=500/16 [Region 2]http://groups.yahoo.com/group/oliviadata/
50.8-51Remote controlDigital20-kHz channels 
51-51.1DX WindowCWPacific DX window 
51.12-51.18Repeater inputsDigitalDigital repeaters 
51.12-51.48Repeater inputsAM19 channels 
51.62-51.68Repeater outputsDigitalDigital repeaters 
51.62-51.98Repeater outputsAM19 channels 
52-52.48Repeater inputsAM  
52.5-52.98Repeater outputsAM  
5250-5450Emergency / general communicationsOtherTrinidad & Tobago — Secondary allocation basis — All mode, 1.5Kw oupputhttp://www.tatt.org.tt/
5258.5-5261.5CW/SSB 60mCWCW/SSB (OK / Czech Republic)http://hflink.com/5mhz/
5258.5-5261.5SSB/CWCWCzech Republic SSB/CW Experimental channel allocation (OK1RP) 
5258.5-5264UK 60mOtherNew UK freq as of 1st Jan 2013 
5276-5284UK 60mCWUK 
5276-5284All modeOtherOpened up to UK NOV 1/1 2013 
5278.5-5281.5Lower Ragcew light usageSSBGood for inter G/EI and Europe Scandanavia,Iceland but subject to SeaSerface Radar QRMnon
5278.5-5281.5Lower Ragcew light usageSSBGood for inter G/EI and Europe Scandanavia,Iceland but subject to SeaSerface Radar QRMnon
5288.5-5292UK 60mCWUK 
5289.5-5290.5beaconOther5289.5-USB & MT63 / 5290.5 CWwww.oz1fjb.dk or www.qrz.com/ov1bcn
5298-5307UK 60mCWNew UK freq as of 1st Jan 2013 
5298-5307All modeOtherOpened up to UK NOV 1/1 2013 
5298.5-5301.5Lower CommonSSBRag Chew, talk back Inter EU/G/EI subject to ALE and other QRMnone
5298.5-5301.5Irish fixedfixed 60m channel (canno QSY)SSBUsed for EI/UK Rag Chew twice daily, also EI/Scandanavianone
53-53.48Repeater inputsAM  
53.5-53.98Repeater outputsAM  
5313-5323UK 60mCWNew UK freq as of 1st Jan 2013 
5313-5323UK All modeOtherOpened up to UK NOV 1/1 2013 
5325-5425ham emcommOtherBand 
5333-5338UK 60mCWNew UK freq as of 1st Jan 2013 
5333-5338UK All modesOtherOpened up to UK NOV 1/1 2013 
5350-5450PA: SSB/CW/DIGI/AMSSBThe Netherlands – all modes allowed – 100 W. PEPhttp://www.agentschaptelecom.nl/
5354-5358UK 60mSSBNew UK freq as of 1st Jan 2013 
5354-5358UK All modesOtherOpened up to UK NOV 1/1 2013 
5357.1-5359.9SSB 60mSSBUPPER SIDEBAND freq = 5357.0kHz USB voice (USA New 60m Channel) use transmit filter bandwidth = 2.5kHz or lesshttp://hflink.com/60meters/
5357.1-5359.960mDigitalDATA center freq = 5358.5 kHz [use 5357.0kHz USB VFO dial freq + 1500 Hz audio center] (USA New 60m Channel) with maximum signal bandwidth 2.8kHz.http://hflink.com/60meters/
5362-5374.5UK 60mSSBNew UK freq as of 1st Jan 2013 
5362-5374.5UK All modesOtherOpened up to UK NOV 1/1 2013 
5371.5-5374.5SSB 60mSSB5371.5kHz USB (UK )http://www.rsgb-spectrumforum.org.uk/5mhz%20operating%20practice.htm
5378-5382UK 60mSSBNew UK freq as of 1st Jan 2013 
5378-5382UK All modesOtherOpened up to UK NOV 1/1 2013 
5395-5401.5UK 60mSSBNew UK freq as of 1st Jan 2013 
5395-5401.5UK All modesOtherOpened up to UK NOV 1/1 2013 
5398.5-5401.5Upper Common, RSGB NewsNetCWGood for inter G/EI and Europe Scandanavia,Icelandnone
5398.5-5401.5Upper Common, RSGB NewsNetCWGood for inter G/EI and Europe Scandanavia,Icelandnone
5403.5-5406.5UK 60mSSBNew UK freq as of 1st Jan 2013 
7000-7010DX WindowCWCW 
7000-7060CWCW  
7025-7030DigitalDigitalJAPAN – Digital 
7025-7030DigitalDigitalJAPAN – Digital 
7030-7040Feld HellDigital http://feldhellclub.org/
7030.5-7033.2ALEOtherUSB – 7030.5kHz ALE – Automatic Link Establishment (IARU Region 3) Datahttp://hflink.com
7035-7040BPSK31DigitalREG. 1 – Narrow band modes (7035 PSK31 Center Activity)http://www.iaru.org/Chapter-5.1.pdf
7035-7040OliviaDigital  
7035-7045RTTYDigitalRegion 1http://www.aa5au.com/rtty.html
7038-7040AutomaticDigitalAutomatic Digital Stations – IARU Region 1 (500Hz Bandwidth)http://hflink.com/bandplans/
7040-7040.2WSPR (Worldwide)DigitalWebsite shows dial freq=7038.600 kHz. Op freq =dial + 1500Hz +-100Hzhttp://wsprnet.org/drupal/
7040-7040.2WSPR (Worldwide)DigitalUSB dial = 7038.6, audio 1400…1600Hzhttp://wsprnet.org/drupal/
7040-7043AutomaticDigitalAutomatic Digital Stations – IARU Region 1 (2700Hz Bandwidth)http://hflink.com/bandplans/
7040-7043PSKDigital7.040 USB is the most common 40m PSK frequency in the UK 
7040-7050Digi ModesDigitalaccording to new bandplan region1 
7040-7060BPSK31DigitalEW Region 1 Bandplan in effect Marts 2009! 
7040-7060BPSK31DigitalEW Region 1 Bandplan in effect Marts 2009!http://www.iaru-r1.org/index.php?option=com_remository&Itemid=173&func=download&id=67&chk=2c64c5a348decd46ef8f00b39fd90109&no_ht
7041-7043ALEOtherUSB – 7040.5kHz ALE – Automatic Link Establishment (IARU Region 1) Data [Europe/Africa/Mideast/Rus]http://hflink.com
7043-7100SSBSSBSSB Voice; All Modes [International – IARU Regions1,2,3] [except USA lower 48 states] 
7053-7056ROSDigitalVFO Dial Frequency = 7053.0 kHz USB – ROS digital mode – weak signal 
7067-7069Feld HellDigital http://feldhellclub.org/
7070-7075BPSK31Digital  
7074-7075THOROtherBest chat mode yet!http://af4k.com
7075-7082Feld HellDigital http://feldhellclub.org/
7078-7079JT9Digital  
7080-7100RTTYDigital http://www.aa5au.com/rtty.html
7100-7102.2ALEOther7099.5 kHz USB Automatic Link Establishment High Frequency Network – IARU Region 2; Data/Text/Messaging.http://hflink.com
7100-7105AutomaticDigitalAutomated Digital Stationshttp://hflink.com/bandplans/
7100-7125CW QRSCWPromoted by SKCC for slow CW. Used for this purpose in North America. Former U.S. novice CW sub-band. 
7100-7200SSBOtherAll Modes – IARU Region 1 [2700Hz_Bandwidth] (SSB Digi SSTV etc)http://www.hflink.com/bandplans/region1_bandplan.pdf
7102-7105ALEDigital7102.0kHz USB Global ALE High Frequency Network (HFN) provides HF internet messaging connectivity, HF to SMS cellphone mobile texting, HF-to-HF text relay, selective calling, and interoperability 24/7/365http://hflink.com/hfn
7102.3-7104.9ALEOther7102 kHz USB Automatic Link Establishment High Frequency Network 24/7 Pilot Channel Frequency – IARU Region 2; Data/Text/Messaginghttp://hflink.com
7104-7105FSQDigitalFast Simple QSO (chat)http://www.qsl.net/zl1bpu/MFSK/Rules.pdf
7110.8-7113.8ALEOther7110.5 kHz USB – ALE – 8FSK, 6PSK, 8PSK, QSO Keyboarding/Texting: DBM ARQ, FAE ARQ, RFSM2400http://hflink.com
7125-7300SSBSSB  
7160-7163GreenGroupSSB7160 USB – UPPER SIDEBAND – Green radios group – 0200z 
7160-7185Green daily net 02:00zOtherUSB military equipment user’s net. Daily 02:00z 
7170-7173GreenGroupSSB7170 USB – UPPER SIDEBAND – Green radios group (F2) – 0200z 
7185-7195AM Italian netAMAM week end boatanchor lovers nethttp://groups.google.it/group/boatanchors-net/topics
7185.5-7188HFPACKSSB7185.5 USB (Upper Sideband) International HF Portable Calling Frequency – Mobile – Portable – Base – Marine – Aerohttp://hfpack.com/air/
7185.5-7188.5ALEOtherUSB 7185.5kHz ALE Automatic Link Establishment – International Calling Frequency – UPPER SIDEBAND Voicehttp://hflink.com
7185.5-7188.5ALECW  
7185.5-7188.5ALEOther7185.5 kHz USB – International Amateur Radio HF ALE Automatic Link Establishment Network – Selective Calling – 8FSKhttp://hflink.com
7190-7193GreenGroupSSB7190 USB – UPPER SIDEBAND – Green radios group (F1) – 0200z 
7195.5-7200ALEOtherUSB 7195.5 kHz ALE – Automatic Link Establishmenthttp://hflink.com
7280-7300AM WORKINGAM7290 AM CALLING FREQWWW.AMFONE.NET
7285-7286Tri-Town Amateur Radio Club Alumni GroupSSBI have been NCS for 19 years for the group. Club over 75 years with 40 years on or about subject freq. 
7286-7289DigiVoiceDigitalUSB 7286.0 kHz – Digital Voice Net (Alternate) – North Americahttp://hfpack.com
7291-7294DigiVoiceDigitalUSB 7291.0 kHz – Digital Voice Calling – Net (Primary) – North Americahttp://hfpack.com