File: test_client.py

package info (click to toggle)
python-miltertest 1.0.0-2
  • links: PTS, VCS
  • area: main
  • in suites: forky, sid, trixie
  • size: 176 kB
  • sloc: python: 771; makefile: 4
file content (256 lines) | stat: -rw-r--r-- 9,453 bytes parent folder | download
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
248
249
250
251
252
253
254
255
256
# Copyright 2011 Chris Siebenmann
# Copyright 2024 Paul Arthur MacIain
# GNU General Public License v3.0 (see COPYING or https://www.gnu.org/licenses/gpl-3.0.txt)

import unittest

from miltertest import codec
from miltertest import constants
from miltertest import (
    MilterConnection,
    MilterError,
)


class ConvError(Exception):
    pass


# ---
# test infrastructure

# These are from the perspective of the socket; it expects you to read
# or write.
READ, WRITE = object(), object()


# A fake socket object that implements .recv() and .sendall().
# It is fed a conversation that it expects (a sequence of read and
# write operations), and then verifies that the sequence that happens
# is what you told it to expect.
# Because this is specific to verifying the milter conversation, it
# does not bother having to know exactly what the written messages are;
# for our purpose, it is enough to know their type.
# (Optionally it can also know the result dictionary and verify it,
# because that turned out to be necessary.)
class FakeSocket:
    def __init__(self, conv=None):
        if conv is None:
            conv = []
        self.conv = conv
        self.cindex = 0

    # verify that a .recv() or .sendall() is proper, ie that it
    # is the next expected action.
    def _verify_conv(self, adir):
        if self.cindex >= len(self.conv):
            raise ConvError('unexpected action')
        if adir != self.conv[self.cindex][0]:
            raise ConvError('sequence mismatch')

    def _add(self, adir, what):
        self.conv.append((adir, what))

    def addReadMsg(self, cmd, **args):
        """Add a message to be read; arguments are as per
        encode_msg."""
        self._add(READ, codec.encode_msg(cmd, **args))

    def addRead(self, buf):
        """Add a raw string to be read."""
        self._add(READ, buf)

    def addWrite(self, cmd):
        """Add an expected write command."""
        self._add(WRITE, (cmd,))

    def addFullWrite(self, cmd, **args):
        """Add an expected write command and its full parameters."""
        self._add(WRITE, (cmd, args))

    def addMTAWrite(self, cmd):
        """Add an expected write command and then an SMFIR_CONTINUE
        reply to it."""
        self._add(WRITE, (cmd,))
        self.addReadMsg(constants.SMFIR_CONTINUE)

    def isEmpty(self):
        """Returns whether or not all expected reads and writes
        have been consumed."""
        return self.cindex == len(self.conv)

    #
    # The actual socket routines we emulate.
    def recv(self, nbytes):
        self._verify_conv(READ)
        # nbytes should be at least as large as what we are
        # scheduled to send.
        _, obj = self.conv[self.cindex]
        self.cindex += 1
        if isinstance(obj, (list, tuple)):
            obj = codec.encode_msg(obj[0], **obj[1])
        if len(obj) > nbytes:
            raise ConvError('short read')
        return obj

    def sendall(self, buf):
        self._verify_conv(WRITE)
        # We verify that we got the right sort of stuff
        r = codec.decode_msg(buf)
        _, wres = self.conv[self.cindex]
        self.cindex += 1
        otype = wres[0]
        if r[0] != otype:
            raise ConvError(f'Received unexpected reply {r[0]} instead of {otype}')
        if len(wres) > 1 and r[1] != wres[1]:
            raise ConvError(f'Unexpected reply parameters: {r[1]} instead of {wres[1]}')


# -----
#
class basicTests(unittest.TestCase):
    def testShortReads(self):
        """Test that we correctly read multiple times to reassemble
        a short message, and that we get the right answer."""
        ams = constants.SMFIC_CONNECT
        adict = {'hostname': 'localhost', 'family': '4', 'port': 1678, 'address': '127.10.10.1'}
        msg = codec.encode_msg(ams, **adict)
        msg1, msg2 = msg[:10], msg[10:]
        s = FakeSocket()
        s.addRead(msg1)
        s.addRead(msg2)

        mbuf = MilterConnection(s)
        rcmd, rdict = mbuf._recv()
        self.assertEqual(ams, rcmd)
        self.assertEqual(adict, rdict)
        self.assertTrue(s.isEmpty())

    def testProgressReads(self):
        """Test that we correctly read multiple progress messages
        before getting the real one."""
        s = FakeSocket()
        s.addReadMsg(constants.SMFIR_PROGRESS)
        s.addReadMsg(constants.SMFIR_PROGRESS)
        s.addReadMsg(constants.SMFIR_PROGRESS)
        s.addReadMsg(
            constants.SMFIR_DELRCPT,
            rcpt=[
                '<a@b.c>',
            ],
        )
        mbuf = MilterConnection(s)
        rcmd, rdict = mbuf.recv()
        self.assertEqual(rcmd, constants.SMFIR_DELRCPT)
        self.assertTrue(s.isEmpty())


class continuedTests(unittest.TestCase):
    def testHeaders(self):
        """Test that we handle writing a sequence of headers in
        the way that we expect."""
        s = FakeSocket()
        hdrs = (('From', 'Chris'), ('To', 'Simon'), ('Subject', 'Yak'))
        for _ in hdrs:
            s.addMTAWrite(constants.SMFIC_HEADER)
        mbuf = MilterConnection(s)
        rcmd, rdict = mbuf.send_headers(hdrs)
        self.assertEqual(rcmd, constants.SMFIR_CONTINUE)
        self.assertTrue(s.isEmpty())

    def testShortHeaders(self):
        """Test that we return early from a series of header writes
        if SMFIR_CONTINUE is not the code returned."""
        s = FakeSocket()
        hdrs = (('From', 'Chris'), ('To', 'Simon'), ('Subject', 'Yak'))
        s.addMTAWrite(constants.SMFIC_HEADER)
        s.addWrite(constants.SMFIC_HEADER)
        s.addReadMsg(constants.SMFIR_ACCEPT)
        with self.assertRaises(MilterError):
            MilterConnection(s).send_headers(hdrs)
        self.assertTrue(s.isEmpty())

    def testBodySequence(self):
        """Test that we handle writing a large body in the way
        we expect."""
        s = FakeSocket()
        body = 3 * 65535 * '*'
        s.addMTAWrite(constants.SMFIC_BODY)
        s.addMTAWrite(constants.SMFIC_BODY)
        s.addMTAWrite(constants.SMFIC_BODY)
        mbuf = MilterConnection(s)
        rcmd, rdict = mbuf.send_body(body)
        self.assertEqual(rcmd, constants.SMFIR_CONTINUE)
        self.assertTrue(s.isEmpty())

    def testShortBody(self):
        """Test that we return early from a series of body writes
        if SMFIR_CONTINUE is not the code returned."""
        s = FakeSocket()
        body = 3 * 65535 * '*'
        s.addMTAWrite(constants.SMFIC_BODY)
        s.addWrite(constants.SMFIC_BODY)
        s.addReadMsg(constants.SMFIR_ACCEPT)
        with self.assertRaises(MilterError):
            MilterConnection(s).send_body(body)
        self.assertTrue(s.isEmpty())

    optneg_mta_pairs = (
        ((constants.SMFI_V6_ACTS, constants.SMFI_V6_PROT), (constants.SMFI_V6_ACTS, constants.SMFI_V6_PROT)),
        ((constants.SMFI_V2_ACTS, constants.SMFI_V2_PROT), (constants.SMFI_V2_ACTS, constants.SMFI_V2_PROT)),
        ((0x10, 0x10), (0x10, 0x10)),
    )

    def testMTAOptneg(self):
        """Test that the MTA version of option negotiation returns
        what we expect it to."""
        for a, b in self.optneg_mta_pairs:
            s = FakeSocket()
            s.addWrite(constants.SMFIC_OPTNEG)
            s.addReadMsg(constants.SMFIC_OPTNEG, version=constants.MILTER_VERSION, actions=a[0], protocol=a[1])
            # strict=True would blow up on the last test.
            ract, rprot = MilterConnection(s).optneg_mta(strict=False)
            self.assertEqual(ract, b[0])
            self.assertEqual(rprot, b[1])

    optneg_exc_errors = (
        (constants.SMFI_V1_ACTS, 0xFFFFFF),
        (0xFFFFFF, constants.SMFI_V1_PROT),
        (0xFFFFFF, 0xFFFFFF),
    )

    def testMilterONOutside(self):
        """Test that the MTA version of option negotiation errors
        out if there are excess bits in the milter reply."""
        for act, prot in self.optneg_exc_errors:
            s = FakeSocket()
            s.addWrite(constants.SMFIC_OPTNEG)
            s.addReadMsg(constants.SMFIC_OPTNEG, version=constants.MILTER_VERSION, actions=act, protocol=prot)
            bm = MilterConnection(s)
            self.assertRaises(MilterError, bm.optneg_mta)

    optneg_milter_pairs = (
        # The basic case; MTA says all V6 actions, all V6 protocol
        # exclusions, we say we'll take all actions and we want the
        # MTA not to exclude any protocol steps.
        ((constants.SMFI_V6_ACTS, constants.SMFI_V6_PROT), (constants.SMFI_V6_ACTS, 0x0)),
        # MTA offers additional protocol exclusions, we tell it not
        # to do them but to do all V6 protocol actions.
        ((constants.SMFI_V6_ACTS, 0xFFFFFF), (constants.SMFI_V6_ACTS, 0xE00000)),
        # MTA offers additional actions, we decline.
        ((constants.SMFI_V6_ACTS, constants.SMFI_V6_PROT), (constants.SMFI_V2_ACTS, 0x00)),
    )

    def testMilterOptneg(self):
        """Test the milter version of option negotiation."""
        for a, b in self.optneg_milter_pairs:
            s = FakeSocket()
            s.addReadMsg(constants.SMFIC_OPTNEG, version=constants.MILTER_VERSION, actions=a[0], protocol=a[1])
            s.addFullWrite(constants.SMFIC_OPTNEG, version=constants.MILTER_VERSION, actions=b[0], protocol=b[1])
            ract, rprot = MilterConnection(s).optneg_milter(actions=b[0])
            self.assertEqual(ract, b[0])
            self.assertEqual(rprot, b[1])


if __name__ == '__main__':
    unittest.main()