1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247
|
import asyncio
import logging
import os
import signal
import subprocess
import tempfile
from unittest.mock import patch
import pytest
import yaml
from amqtt.broker import Broker
from amqtt.mqtt.constants import QOS_0
formatter = "[%(asctime)s] %(name)s {%(filename)s:%(lineno)d} %(levelname)s - %(message)s"
logging.basicConfig(level=logging.DEBUG, format=formatter)
logger = logging.getLogger(__name__)
from amqtt.client import MQTTClient
@pytest.fixture
def broker_config():
return {
"listeners": {
"default": {
"type": "tcp",
"bind": "127.0.0.1:1884", # Use non-standard port for testing
},
},
"sys_interval": 0,
"auth": {
"allow-anonymous": True,
"plugins": ["auth_anonymous"],
},
"topic-check": {"enabled": False},
}
@pytest.fixture
def broker_config_file(broker_config, tmp_path):
config_path = tmp_path / "broker.yaml"
with config_path.open("w") as f:
yaml.dump(broker_config, f)
return str(config_path)
@pytest.fixture
async def broker(broker_config_file):
proc = subprocess.Popen(
["amqtt", "-c", broker_config_file],
stdout=subprocess.PIPE,
stderr=subprocess.PIPE,
)
# Give broker time to start
await asyncio.sleep(4)
yield proc
proc.terminate()
proc.wait()
def test_cli_help_messages():
"""Test that help messages are displayed correctly."""
env = os.environ.copy()
env["NO_COLOR"] = '1'
amqtt_path = "amqtt"
output = subprocess.check_output([amqtt_path, "--help"], env=env, text=True)
assert "Usage: amqtt" in output
amqtt_sub_path = "amqtt_sub"
output = subprocess.check_output([amqtt_sub_path, "--help"], env=env, text=True)
assert "Usage: amqtt_sub" in output
amqtt_pub_path = "amqtt_pub"
output = subprocess.check_output([amqtt_pub_path, "--help"], env=env, text=True)
assert "Usage: amqtt_pub" in output
def test_broker_version():
"""Test broker version command."""
output = subprocess.check_output(["amqtt", "--version"])
assert output.strip()
@pytest.mark.asyncio
async def test_broker_start_stop(broker_config_file):
"""Test broker start and stop with config file."""
proc = subprocess.Popen(
["amqtt", "-c", broker_config_file],
stdout=subprocess.PIPE,
stderr=subprocess.PIPE,
)
# Give broker time to start
await asyncio.sleep(1)
# Verify broker is running by connecting a client
client = MQTTClient()
await client.connect("mqtt://127.0.0.1:1884")
await client.disconnect()
# Stop broker
proc.terminate()
proc.wait()
@pytest.mark.asyncio
async def test_publish_subscribe(broker):
"""Test pub/sub CLI tools with running broker."""
# Create a temporary file with test message
with tempfile.NamedTemporaryFile(mode='w', delete=False) as tmp:
tmp.write("test message\n")
tmp.write("another message\n")
tmp_path = tmp.name
# Start subscriber in background
sub_proc = subprocess.Popen(
[
"amqtt_sub",
"--url", "mqtt://127.0.0.1:1884",
"-t", "test/topic",
"-n", "2", # Exit after 2 messages
"--qos", "1",
],
stdout=subprocess.PIPE,
stderr=subprocess.PIPE,
)
# Give subscriber time to connect
await asyncio.sleep(0.5)
#
# # Publish messages from file
pub_proc = subprocess.run(
[
"amqtt_pub",
"--url", "mqtt://127.0.0.1:1884",
"-t", "test/topic",
"-f", tmp_path,
"--qos", "1",
],
capture_output=True,
)
assert pub_proc.returncode == 0
#
# # Wait for subscriber to receive messages
stdout, stderr = sub_proc.communicate(timeout=5)
# Clean up temp file
os.unlink(tmp_path)
# Verify messages were received
print(stdout.decode("utf-8"))
assert "test message" in str(stdout)
assert "another message" in str(stdout)
assert sub_proc.returncode == 0
@pytest.mark.asyncio
async def test_pub_errors(client_config_file):
"""Test error handling in pub/sub tools."""
# Test connection to non-existent broker
cmd = [
"amqtt_pub",
"--url", "mqtt://127.0.0.1:9999", # Wrong port
"-t", "test/topic",
"-m", "test",
"-c", client_config_file,
]
proc = await asyncio.create_subprocess_shell(
" ".join(cmd), stdout=asyncio.subprocess.PIPE, stderr=asyncio.subprocess.PIPE
)
stdout, stderr = await proc.communicate()
logger.debug(f"Command: {cmd}")
logger.debug(f"Stdout: {stdout.decode()}")
logger.debug(f"Stderr: {stderr.decode()}")
assert proc.returncode != 0, f"publisher error code: {proc.returncode}"
assert "Connection failed" in str(stderr)
@pytest.mark.asyncio
async def test_sub_errors(client_config_file):
# Test invalid URL format
sub_proc = subprocess.run(
[
"amqtt_sub",
"--url", "invalid://url",
"-t", "test/topic",
"-c", client_config_file
],
capture_output=True,
)
assert sub_proc.returncode != 0, f"subscriber error code: {sub_proc.returncode}"
@pytest.fixture
def client_config():
return {
"keep_alive": 10,
"ping_delay": 1,
"default_qos": 0,
"default_retain": False,
"auto_reconnect": False,
"will": {
"topic": "test/will/topic",
"message": "client ABC has disconnected",
"qos": 0,
"retain": False
},
"broker": {
"uri": "mqtt://localhost:1884"
}
}
@pytest.fixture
def client_config_file(client_config, tmp_path):
config_path = tmp_path / "client.yaml"
with config_path.open("w") as f:
yaml.dump(client_config, f)
return str(config_path)
@pytest.mark.asyncio
async def test_pub_client_config(broker, client_config_file):
await asyncio.sleep(1)
cmd = [
"amqtt_pub",
"-t", "test/topic",
"-m", "test",
"-c", client_config_file
]
proc = await asyncio.create_subprocess_shell(
" ".join(cmd), stdout=asyncio.subprocess.PIPE, stderr=asyncio.subprocess.PIPE
)
stdout, stderr = await proc.communicate()
logger.debug(f"Command: {cmd}")
logger.debug(f"Stdout: {stdout.decode()}")
logger.debug(f"Stderr: {stderr.decode()}")
assert proc.returncode == 0, f"publisher error code: {proc.returncode}"
|