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
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
1001
1002
1003
1004
1005
1006
1007
1008
1009
1010
1011
1012
1013
1014
1015
1016
1017
1018
1019
1020
1021
1022
1023
1024
1025
1026
1027
1028
1029
1030
1031
1032
1033
1034
1035
1036
1037
1038
1039
1040
1041
1042
1043
1044
1045
1046
1047
1048
1049
1050
1051
1052
1053
1054
1055
1056
1057
1058
1059
1060
1061
1062
1063
1064
1065
1066
1067
1068
1069
1070
1071
1072
1073
1074
1075
1076
1077
1078
1079
1080
1081
1082
1083
1084
1085
1086
1087
1088
1089
1090
1091
1092
1093
1094
1095
1096
1097
1098
1099
1100
1101
1102
1103
1104
1105
1106
1107
1108
1109
1110
1111
1112
1113
1114
1115
1116
1117
1118
1119
1120
1121
1122
1123
1124
1125
1126
1127
1128
1129
1130
1131
1132
1133
1134
1135
1136
1137
1138
1139
1140
1141
1142
1143
1144
1145
1146
1147
1148
1149
1150
1151
1152
1153
1154
1155
1156
1157
1158
1159
1160
1161
1162
1163
1164
1165
1166
1167
1168
1169
1170
1171
1172
1173
1174
1175
1176
1177
1178
1179
1180
1181
1182
1183
1184
1185
1186
1187
1188
1189
1190
1191
1192
1193
1194
1195
1196
1197
1198
1199
1200
1201
1202
1203
1204
1205
1206
1207
1208
1209
1210
1211
1212
1213
1214
1215
1216
1217
1218
1219
1220
1221
1222
1223
1224
1225
1226
1227
1228
1229
1230
1231
1232
1233
1234
1235
1236
1237
1238
1239
1240
1241
1242
1243
1244
1245
1246
1247
1248
1249
1250
1251
1252
1253
1254
1255
1256
1257
1258
1259
1260
1261
1262
1263
1264
1265
1266
1267
1268
1269
1270
1271
1272
1273
1274
1275
1276
1277
1278
1279
1280
1281
1282
1283
1284
1285
1286
1287
1288
1289
1290
1291
1292
1293
1294
1295
1296
1297
1298
1299
1300
1301
1302
1303
1304
1305
1306
1307
1308
1309
1310
1311
1312
1313
1314
1315
1316
1317
1318
1319
1320
1321
1322
1323
1324
1325
1326
1327
1328
1329
1330
1331
1332
1333
1334
1335
1336
1337
1338
1339
1340
1341
1342
1343
1344
1345
1346
1347
1348
1349
1350
1351
1352
1353
1354
1355
1356
1357
1358
1359
1360
1361
1362
1363
1364
1365
1366
1367
1368
1369
1370
1371
1372
1373
1374
1375
1376
1377
1378
1379
1380
1381
1382
1383
1384
1385
1386
1387
1388
1389
1390
1391
1392
1393
1394
1395
1396
1397
1398
1399
1400
1401
1402
1403
1404
1405
1406
1407
1408
1409
1410
1411
1412
1413
1414
1415
1416
1417
1418
1419
1420
1421
1422
1423
1424
1425
1426
1427
1428
1429
1430
1431
1432
1433
1434
1435
1436
1437
1438
1439
1440
1441
1442
1443
1444
1445
1446
1447
1448
1449
1450
1451
1452
1453
1454
1455
1456
1457
1458
1459
1460
1461
1462
1463
1464
1465
1466
1467
1468
1469
1470
1471
1472
1473
1474
1475
1476
1477
1478
1479
1480
1481
1482
1483
1484
1485
1486
1487
1488
1489
1490
1491
1492
1493
1494
1495
1496
1497
1498
1499
1500
1501
1502
1503
1504
1505
1506
1507
1508
1509
1510
1511
1512
1513
1514
1515
1516
1517
1518
1519
1520
1521
1522
1523
1524
1525
1526
1527
1528
1529
1530
1531
1532
1533
1534
1535
1536
1537
1538
1539
1540
1541
1542
1543
1544
1545
1546
1547
1548
1549
1550
1551
1552
1553
1554
1555
1556
1557
1558
1559
1560
1561
1562
1563
1564
1565
1566
1567
1568
1569
1570
1571
1572
1573
1574
1575
1576
1577
1578
1579
1580
1581
1582
1583
1584
1585
1586
1587
1588
1589
1590
1591
1592
1593
1594
1595
1596
1597
1598
1599
1600
1601
1602
1603
1604
1605
1606
1607
1608
1609
1610
1611
1612
1613
1614
1615
1616
1617
1618
1619
1620
1621
1622
1623
1624
1625
1626
1627
1628
1629
1630
1631
1632
1633
1634
1635
1636
1637
1638
1639
1640
1641
1642
1643
1644
1645
1646
1647
1648
1649
1650
1651
1652
1653
1654
1655
1656
1657
1658
1659
1660
1661
1662
1663
1664
1665
1666
1667
1668
1669
1670
1671
1672
1673
1674
1675
1676
1677
1678
1679
1680
1681
1682
1683
1684
1685
1686
1687
1688
1689
1690
1691
1692
1693
1694
1695
1696
1697
1698
1699
1700
1701
1702
1703
1704
1705
1706
1707
1708
1709
1710
1711
1712
1713
1714
1715
1716
1717
1718
1719
1720
1721
1722
1723
1724
1725
1726
1727
1728
1729
1730
1731
1732
1733
1734
1735
1736
1737
1738
1739
1740
1741
1742
1743
1744
1745
1746
1747
1748
1749
1750
1751
1752
1753
1754
1755
1756
1757
1758
1759
1760
1761
1762
1763
1764
1765
1766
1767
1768
1769
1770
1771
1772
1773
1774
1775
1776
1777
1778
1779
1780
1781
1782
1783
1784
1785
1786
1787
1788
1789
1790
1791
1792
1793
1794
1795
1796
1797
1798
1799
1800
1801
1802
1803
1804
1805
1806
1807
1808
1809
1810
1811
1812
1813
1814
1815
1816
1817
|
--[[
Copyright (c) 2022, Vsevolod Stakhov <vsevolod@rspamd.com>
Licensed under the Apache License, Version 2.0 (the "License");
you may not use this file except in compliance with the License.
You may obtain a copy of the License at
http://www.apache.org/licenses/LICENSE-2.0
Unless required by applicable law or agreed to in writing, software
distributed under the License is distributed on an "AS IS" BASIS,
WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
See the License for the specific language governing permissions and
limitations under the License.
]]--
local logger = require "rspamd_logger"
local lutil = require "lua_util"
local rspamd_util = require "rspamd_util"
local ts = require("tableshape").types
local exports = {}
local E = {}
local N = "lua_redis"
local common_schema = {
timeout = (ts.number + ts.string / lutil.parse_time_interval):is_optional():describe("Connection timeout"),
db = ts.string:is_optional():describe("Database number"),
database = ts.string:is_optional():describe("Database number"),
dbname = ts.string:is_optional():describe("Database number"),
prefix = ts.string:is_optional():describe("Key prefix"),
username = ts.string:is_optional():describe("Username"),
password = ts.string:is_optional():describe("Password"),
expand_keys = ts.boolean:is_optional():describe("Expand keys"),
sentinels = (ts.string + ts.array_of(ts.string)):is_optional():describe("Sentinel servers"),
sentinel_watch_time = (ts.number + ts.string / lutil.parse_time_interval):is_optional():describe("Sentinel watch time"),
sentinel_masters_pattern = ts.string:is_optional():describe("Sentinel masters pattern"),
sentinel_master_maxerrors = (ts.number + ts.string / tonumber):is_optional():describe("Sentinel master max errors"),
sentinel_username = ts.string:is_optional():describe("Sentinel username"),
sentinel_password = ts.string:is_optional():describe("Sentinel password"),
}
local read_schema = lutil.table_merge({
read_servers = ts.string + ts.array_of(ts.string),
}, common_schema)
local write_schema = lutil.table_merge({
write_servers = ts.string + ts.array_of(ts.string),
}, common_schema)
local rw_schema = lutil.table_merge({
read_servers = ts.string + ts.array_of(ts.string),
write_servers = ts.string + ts.array_of(ts.string),
}, common_schema)
local servers_schema = lutil.table_merge({
servers = ts.string + ts.array_of(ts.string),
}, common_schema)
local server_schema = lutil.table_merge({
server = ts.string + ts.array_of(ts.string),
}, common_schema)
local enrich_schema = function(external)
return ts.one_of {
ts.shape(external), -- no specific redis parameters
ts.shape(lutil.table_merge(read_schema, external)), -- read_servers specified
ts.shape(lutil.table_merge(write_schema, external)), -- write_servers specified
ts.shape(lutil.table_merge(rw_schema, external)), -- both read and write servers defined
ts.shape(lutil.table_merge(servers_schema, external)), -- just servers for both ops
ts.shape(lutil.table_merge(server_schema, external)), -- legacy `server` attribute
}
end
exports.enrich_schema = enrich_schema
local function redis_query_sentinel(ev_base, params, initialised)
local function flatten_redis_table(tbl)
local res = {}
for i = 1, #tbl, 2 do
res[tbl[i]] = tbl[i + 1]
end
return res
end
-- Coroutines syntax
local rspamd_redis = require "rspamd_redis"
local sentinels = params.sentinels
local addr = sentinels:get_upstream_round_robin()
local host = addr:get_addr()
local masters = {}
local process_masters -- Function that is called to process masters data
local function masters_cb(err, result)
if not err and result and type(result) == 'table' then
local pending_subrequests = 0
for _, m in ipairs(result) do
local master = flatten_redis_table(m)
-- Wrap IPv6-addresses in brackets
if (master.ip:match(":")) then
master.ip = "[" .. master.ip .. "]"
end
if params.sentinel_masters_pattern then
if master.name:match(params.sentinel_masters_pattern) then
lutil.debugm(N, 'found master %s with ip %s and port %s',
master.name, master.ip, master.port)
masters[master.name] = master
else
lutil.debugm(N, 'skip master %s with ip %s and port %s, pattern %s',
master.name, master.ip, master.port, params.sentinel_masters_pattern)
end
else
lutil.debugm(N, 'found master %s with ip %s and port %s',
master.name, master.ip, master.port)
masters[master.name] = master
end
end
-- For each master we need to get a list of slaves
for k, v in pairs(masters) do
v.slaves = {}
local function slaves_cb(slave_err, slave_result)
if not slave_err and type(slave_result) == 'table' then
for _, s in ipairs(slave_result) do
local slave = flatten_redis_table(s)
lutil.debugm(N, rspamd_config,
'found slave for master %s with ip %s and port %s',
v.name, slave.ip, slave.port)
-- Wrap IPv6-addresses in brackets
if (slave.ip:match(":")) then
slave.ip = "[" .. slave.ip .. "]"
end
v.slaves[#v.slaves + 1] = slave
end
else
logger.errx('cannot get slaves data from Redis Sentinel %s: %s',
host:to_string(true), slave_err)
addr:fail()
end
pending_subrequests = pending_subrequests - 1
if pending_subrequests == 0 then
-- Finalize masters and slaves
process_masters()
end
end
local ret = rspamd_redis.make_request {
host = addr:get_addr(),
timeout = params.timeout,
username = params.sentinel_username,
password = params.sentinel_password,
config = rspamd_config,
ev_base = ev_base,
cmd = 'SENTINEL',
args = { 'slaves', k },
no_pool = true,
callback = slaves_cb
}
if not ret then
logger.errx(rspamd_config, 'cannot connect sentinel when query slaves at address: %s',
host:to_string(true))
addr:fail()
else
pending_subrequests = pending_subrequests + 1
end
end
addr:ok()
else
logger.errx('cannot get masters data from Redis Sentinel %s: %s',
host:to_string(true), err)
addr:fail()
end
end
local ret = rspamd_redis.make_request {
host = addr:get_addr(),
timeout = params.timeout,
config = rspamd_config,
ev_base = ev_base,
username = params.sentinel_username,
password = params.sentinel_password,
cmd = 'SENTINEL',
args = { 'masters' },
no_pool = true,
callback = masters_cb,
}
if not ret then
logger.errx(rspamd_config, 'cannot connect sentinel at address: %s',
host:to_string(true))
addr:fail()
end
process_masters = function()
-- We now form new strings for masters and slaves
local read_servers_tbl, write_servers_tbl = {}, {}
for _, master in pairs(masters) do
write_servers_tbl[#write_servers_tbl + 1] = string.format(
'%s:%s', master.ip, master.port
)
read_servers_tbl[#read_servers_tbl + 1] = string.format(
'%s:%s', master.ip, master.port
)
for _, slave in ipairs(master.slaves) do
if slave['master-link-status'] == 'ok' then
read_servers_tbl[#read_servers_tbl + 1] = string.format(
'%s:%s', slave.ip, slave.port
)
end
end
end
table.sort(read_servers_tbl)
table.sort(write_servers_tbl)
local read_servers_str = table.concat(read_servers_tbl, ',')
local write_servers_str = table.concat(write_servers_tbl, ',')
lutil.debugm(N, rspamd_config,
'new servers list: %s read; %s write',
read_servers_str,
write_servers_str)
if read_servers_str ~= params.read_servers_str then
local upstream_list = require "rspamd_upstream_list"
local read_upstreams = upstream_list.create(rspamd_config,
read_servers_str, 6379)
if read_upstreams then
logger.infox(rspamd_config, 'sentinel %s: replace read servers with new list: %s',
host:to_string(true), read_servers_str)
params.read_servers = read_upstreams
params.read_servers_str = read_servers_str
end
end
if write_servers_str ~= params.write_servers_str then
local upstream_list = require "rspamd_upstream_list"
local write_upstreams = upstream_list.create(rspamd_config,
write_servers_str, 6379)
if write_upstreams then
logger.infox(rspamd_config, 'sentinel %s: replace write servers with new list: %s',
host:to_string(true), write_servers_str)
params.write_servers = write_upstreams
params.write_servers_str = write_servers_str
local queried = false
local function monitor_failures(up, _, count)
if count > params.sentinel_master_maxerrors and not queried then
logger.infox(rspamd_config, 'sentinel: master with address %s, caused %s failures, try to query sentinel',
host:to_string(true), count)
queried = true -- Avoid multiple checks caused by this monitor
redis_query_sentinel(ev_base, params, true)
end
end
write_upstreams:add_watcher('failure', monitor_failures)
end
end
end
end
local function add_redis_sentinels(params)
local upstream_list = require "rspamd_upstream_list"
local upstreams_sentinels = upstream_list.create(rspamd_config,
params.sentinels, 5000)
if not upstreams_sentinels then
logger.errx(rspamd_config, 'cannot load redis sentinels string: %s',
params.sentinels)
return
end
params.sentinels = upstreams_sentinels
if not params.sentinel_watch_time then
params.sentinel_watch_time = 60 -- Each minute
end
if not params.sentinel_master_maxerrors then
params.sentinel_master_maxerrors = 2 -- Maximum number of errors before rechecking
end
rspamd_config:add_on_load(function(_, ev_base, worker)
local initialised = false
if worker:is_scanner() or worker:get_type() == 'fuzzy' then
rspamd_config:add_periodic(ev_base, 0.0, function()
redis_query_sentinel(ev_base, params, initialised)
initialised = true
return params.sentinel_watch_time
end, false)
end
end)
end
local cached_results = {}
local function calculate_redis_hash(params)
local cr = require "rspamd_cryptobox_hash"
local h = cr.create()
local function rec_hash(k, v)
if type(v) == 'string' then
h:update(k)
h:update(v)
elseif type(v) == 'number' then
h:update(k)
h:update(tostring(v))
elseif type(v) == 'table' then
for kk, vv in pairs(v) do
rec_hash(kk, vv)
end
end
end
rec_hash('top', params)
return h:base32()
end
local function process_redis_opts(options, redis_params)
local default_timeout = 1.0
local default_expand_keys = false
if not redis_params['timeout'] or redis_params['timeout'] == default_timeout then
if options['timeout'] then
redis_params['timeout'] = tonumber(options['timeout'])
else
redis_params['timeout'] = default_timeout
end
end
if options['prefix'] and not redis_params['prefix'] then
redis_params['prefix'] = options['prefix']
end
if type(options['expand_keys']) == 'boolean' then
redis_params['expand_keys'] = options['expand_keys']
else
redis_params['expand_keys'] = default_expand_keys
end
if not redis_params['db'] then
if options['db'] then
redis_params['db'] = tostring(options['db'])
elseif options['dbname'] then
redis_params['db'] = tostring(options['dbname'])
elseif options['database'] then
redis_params['db'] = tostring(options['database'])
end
end
if options['username'] and not redis_params['username'] then
redis_params['username'] = options['username']
end
if options['password'] and not redis_params['password'] then
redis_params['password'] = options['password']
end
if not redis_params.sentinels and options.sentinels then
redis_params.sentinels = options.sentinels
end
if options['sentinel_masters_pattern'] and not redis_params['sentinel_masters_pattern'] then
redis_params['sentinel_masters_pattern'] = options['sentinel_masters_pattern']
end
end
local function enrich_defaults(rspamd_config, module, redis_params)
if rspamd_config then
local opts = rspamd_config:get_all_opt('redis')
if opts then
if module then
if opts[module] then
process_redis_opts(opts[module], redis_params)
end
end
process_redis_opts(opts, redis_params)
end
end
end
local function maybe_return_cached(redis_params)
local h = calculate_redis_hash(redis_params)
if cached_results[h] then
lutil.debugm(N, 'reused redis server: %s', redis_params)
return cached_results[h]
end
redis_params.hash = h
cached_results[h] = redis_params
if not redis_params.read_only and redis_params.sentinels then
add_redis_sentinels(redis_params)
end
lutil.debugm(N, 'loaded new redis server: %s', redis_params)
return redis_params
end
--[[[
-- @module lua_redis
-- This module contains helper functions for working with Redis
--]]
local function process_redis_options(options, rspamd_config, result)
local default_port = 6379
local upstream_list = require "rspamd_upstream_list"
local read_only = true
-- Try to get read servers:
local upstreams_read, upstreams_write
if options['read_servers'] then
if rspamd_config then
upstreams_read = upstream_list.create(rspamd_config,
options['read_servers'], default_port)
else
upstreams_read = upstream_list.create(options['read_servers'],
default_port)
end
result.read_servers_str = options['read_servers']
elseif options['servers'] then
if rspamd_config then
upstreams_read = upstream_list.create(rspamd_config,
options['servers'], default_port)
else
upstreams_read = upstream_list.create(options['servers'], default_port)
end
result.read_servers_str = options['servers']
read_only = false
elseif options['server'] then
if rspamd_config then
upstreams_read = upstream_list.create(rspamd_config,
options['server'], default_port)
else
upstreams_read = upstream_list.create(options['server'], default_port)
end
result.read_servers_str = options['server']
read_only = false
end
if upstreams_read then
if options['write_servers'] then
if rspamd_config then
upstreams_write = upstream_list.create(rspamd_config,
options['write_servers'], default_port)
else
upstreams_write = upstream_list.create(options['write_servers'],
default_port)
end
result.write_servers_str = options['write_servers']
read_only = false
elseif not read_only then
upstreams_write = upstreams_read
result.write_servers_str = result.read_servers_str
end
end
-- Store options
process_redis_opts(options, result)
if read_only and not upstreams_write then
result.read_only = true
elseif upstreams_write then
result.read_only = false
end
if upstreams_read then
result.read_servers = upstreams_read
if upstreams_write then
result.write_servers = upstreams_write
end
return true
end
lutil.debugm(N, rspamd_config,
'cannot load redis server from obj: %s, processed to %s',
options, result)
return false
end
--[[[
@function try_load_redis_servers(options, rspamd_config, no_fallback)
Tries to load redis servers from the specified `options` object.
Returns `redis_params` table or nil in case of failure
--]]
exports.try_load_redis_servers = function(options, rspamd_config, no_fallback, module_name)
local result = {}
if process_redis_options(options, rspamd_config, result) then
if not no_fallback then
enrich_defaults(rspamd_config, module_name, result)
end
return maybe_return_cached(result)
end
end
-- This function parses redis server definition using either
-- specific server string for this module or global
-- redis section
local function rspamd_parse_redis_server(module_name, module_opts, no_fallback)
local result = {}
-- Try local options
local opts
lutil.debugm(N, rspamd_config, 'try load redis config for: %s', module_name)
if not module_opts then
opts = rspamd_config:get_all_opt(module_name)
else
opts = module_opts
end
if opts then
local ret
if opts.redis then
ret = process_redis_options(opts.redis, rspamd_config, result)
if ret then
if not no_fallback then
enrich_defaults(rspamd_config, module_name, result)
end
return maybe_return_cached(result)
end
end
ret = process_redis_options(opts, rspamd_config, result)
if ret then
if not no_fallback then
enrich_defaults(rspamd_config, module_name, result)
end
return maybe_return_cached(result)
end
end
if no_fallback then
logger.infox(rspamd_config, "cannot find Redis definitions for %s and fallback is disabled",
module_name)
return nil
end
-- Try global options
opts = rspamd_config:get_all_opt('redis')
if opts then
local ret
if opts[module_name] then
ret = process_redis_options(opts[module_name], rspamd_config, result)
if ret then
return maybe_return_cached(result)
end
else
ret = process_redis_options(opts, rspamd_config, result)
-- Exclude disabled
if opts['disabled_modules'] then
for _, v in ipairs(opts['disabled_modules']) do
if v == module_name then
logger.infox(rspamd_config, "NOT using default redis server for module %s: it is disabled",
module_name)
return nil
end
end
end
if ret then
logger.infox(rspamd_config, "use default Redis settings for %s",
module_name)
return maybe_return_cached(result)
end
end
end
if result.read_servers then
return maybe_return_cached(result)
end
return nil
end
--[[[
-- @function lua_redis.parse_redis_server(module_name, module_opts, no_fallback)
-- Extracts Redis server settings from configuration
-- @param {string} module_name name of module to get settings for
-- @param {table} module_opts settings for module or `nil` to fetch them from configuration
-- @param {boolean} no_fallback should be `true` if global settings must not be used
-- @return {table} redis server settings
-- @example
-- local rconfig = lua_redis.parse_redis_server('my_module')
-- -- rconfig contains upstream_list objects in ['write_servers'] and ['read_servers']
-- -- ['timeout'] contains timeout in seconds
-- -- ['expand_keys'] if true tells that redis key expansion is enabled
--]]
exports.rspamd_parse_redis_server = rspamd_parse_redis_server
exports.parse_redis_server = rspamd_parse_redis_server
local process_cmd = {
bitop = function(args)
local idx_l = {}
for i = 2, #args do
table.insert(idx_l, i)
end
return idx_l
end,
blpop = function(args)
local idx_l = {}
for i = 1, #args - 1 do
table.insert(idx_l, i)
end
return idx_l
end,
eval = function(args)
local idx_l = {}
local numkeys = args[2]
if numkeys and tonumber(numkeys) >= 1 then
for i = 3, numkeys + 2 do
table.insert(idx_l, i)
end
end
return idx_l
end,
set = function(args)
return { 1 }
end,
mget = function(args)
local idx_l = {}
for i = 1, #args do
table.insert(idx_l, i)
end
return idx_l
end,
mset = function(args)
local idx_l = {}
for i = 1, #args, 2 do
table.insert(idx_l, i)
end
return idx_l
end,
sdiffstore = function(args)
local idx_l = {}
for i = 2, #args do
table.insert(idx_l, i)
end
return idx_l
end,
smove = function(args)
return { 1, 2 }
end,
script = function()
end
}
process_cmd.append = process_cmd.set
process_cmd.auth = process_cmd.script
process_cmd.bgrewriteaof = process_cmd.script
process_cmd.bgsave = process_cmd.script
process_cmd.bitcount = process_cmd.set
process_cmd.bitfield = process_cmd.set
process_cmd.bitpos = process_cmd.set
process_cmd.brpop = process_cmd.blpop
process_cmd.brpoplpush = process_cmd.blpop
process_cmd.client = process_cmd.script
process_cmd.cluster = process_cmd.script
process_cmd.command = process_cmd.script
process_cmd.config = process_cmd.script
process_cmd.dbsize = process_cmd.script
process_cmd.debug = process_cmd.script
process_cmd.decr = process_cmd.set
process_cmd.decrby = process_cmd.set
process_cmd.del = process_cmd.mget
process_cmd.discard = process_cmd.script
process_cmd.dump = process_cmd.set
process_cmd.echo = process_cmd.script
process_cmd.evalsha = process_cmd.eval
process_cmd.exec = process_cmd.script
process_cmd.exists = process_cmd.mget
process_cmd.expire = process_cmd.set
process_cmd.expireat = process_cmd.set
process_cmd.flushall = process_cmd.script
process_cmd.flushdb = process_cmd.script
process_cmd.geoadd = process_cmd.set
process_cmd.geohash = process_cmd.set
process_cmd.geopos = process_cmd.set
process_cmd.geodist = process_cmd.set
process_cmd.georadius = process_cmd.set
process_cmd.georadiusbymember = process_cmd.set
process_cmd.get = process_cmd.set
process_cmd.getbit = process_cmd.set
process_cmd.getrange = process_cmd.set
process_cmd.getset = process_cmd.set
process_cmd.hdel = process_cmd.set
process_cmd.hexists = process_cmd.set
process_cmd.hget = process_cmd.set
process_cmd.hgetall = process_cmd.set
process_cmd.hincrby = process_cmd.set
process_cmd.hincrbyfloat = process_cmd.set
process_cmd.hkeys = process_cmd.set
process_cmd.hlen = process_cmd.set
process_cmd.hmget = process_cmd.set
process_cmd.hmset = process_cmd.set
process_cmd.hscan = process_cmd.set
process_cmd.hset = process_cmd.set
process_cmd.hsetnx = process_cmd.set
process_cmd.hstrlen = process_cmd.set
process_cmd.hvals = process_cmd.set
process_cmd.incr = process_cmd.set
process_cmd.incrby = process_cmd.set
process_cmd.incrbyfloat = process_cmd.set
process_cmd.info = process_cmd.script
process_cmd.keys = process_cmd.script
process_cmd.lastsave = process_cmd.script
process_cmd.lindex = process_cmd.set
process_cmd.linsert = process_cmd.set
process_cmd.llen = process_cmd.set
process_cmd.lpop = process_cmd.set
process_cmd.lpush = process_cmd.set
process_cmd.lpushx = process_cmd.set
process_cmd.lrange = process_cmd.set
process_cmd.lrem = process_cmd.set
process_cmd.lset = process_cmd.set
process_cmd.ltrim = process_cmd.set
process_cmd.migrate = process_cmd.script
process_cmd.monitor = process_cmd.script
process_cmd.move = process_cmd.set
process_cmd.msetnx = process_cmd.mset
process_cmd.multi = process_cmd.script
process_cmd.object = process_cmd.script
process_cmd.persist = process_cmd.set
process_cmd.pexpire = process_cmd.set
process_cmd.pexpireat = process_cmd.set
process_cmd.pfadd = process_cmd.set
process_cmd.pfcount = process_cmd.set
process_cmd.pfmerge = process_cmd.mget
process_cmd.ping = process_cmd.script
process_cmd.psetex = process_cmd.set
process_cmd.psubscribe = process_cmd.script
process_cmd.pubsub = process_cmd.script
process_cmd.pttl = process_cmd.set
process_cmd.publish = process_cmd.script
process_cmd.punsubscribe = process_cmd.script
process_cmd.quit = process_cmd.script
process_cmd.randomkey = process_cmd.script
process_cmd.readonly = process_cmd.script
process_cmd.readwrite = process_cmd.script
process_cmd.rename = process_cmd.mget
process_cmd.renamenx = process_cmd.mget
process_cmd.restore = process_cmd.set
process_cmd.role = process_cmd.script
process_cmd.rpop = process_cmd.set
process_cmd.rpoplpush = process_cmd.mget
process_cmd.rpush = process_cmd.set
process_cmd.rpushx = process_cmd.set
process_cmd.sadd = process_cmd.set
process_cmd.save = process_cmd.script
process_cmd.scard = process_cmd.set
process_cmd.sdiff = process_cmd.mget
process_cmd.select = process_cmd.script
process_cmd.setbit = process_cmd.set
process_cmd.setex = process_cmd.set
process_cmd.setnx = process_cmd.set
process_cmd.sinterstore = process_cmd.sdiff
process_cmd.sismember = process_cmd.set
process_cmd.slaveof = process_cmd.script
process_cmd.slowlog = process_cmd.script
process_cmd.smembers = process_cmd.script
process_cmd.sort = process_cmd.set
process_cmd.spop = process_cmd.set
process_cmd.srandmember = process_cmd.set
process_cmd.srem = process_cmd.set
process_cmd.strlen = process_cmd.set
process_cmd.subscribe = process_cmd.script
process_cmd.sunion = process_cmd.mget
process_cmd.sunionstore = process_cmd.mget
process_cmd.swapdb = process_cmd.script
process_cmd.sync = process_cmd.script
process_cmd.time = process_cmd.script
process_cmd.touch = process_cmd.mget
process_cmd.ttl = process_cmd.set
process_cmd.type = process_cmd.set
process_cmd.unsubscribe = process_cmd.script
process_cmd.unlink = process_cmd.mget
process_cmd.unwatch = process_cmd.script
process_cmd.wait = process_cmd.script
process_cmd.watch = process_cmd.mget
process_cmd.zadd = process_cmd.set
process_cmd.zcard = process_cmd.set
process_cmd.zcount = process_cmd.set
process_cmd.zincrby = process_cmd.set
process_cmd.zinterstore = process_cmd.eval
process_cmd.zlexcount = process_cmd.set
process_cmd.zrange = process_cmd.set
process_cmd.zrangebylex = process_cmd.set
process_cmd.zrank = process_cmd.set
process_cmd.zrem = process_cmd.set
process_cmd.zrembylex = process_cmd.set
process_cmd.zrembyrank = process_cmd.set
process_cmd.zrembyscore = process_cmd.set
process_cmd.zrevrange = process_cmd.set
process_cmd.zrevrangebyscore = process_cmd.set
process_cmd.zrevrank = process_cmd.set
process_cmd.zscore = process_cmd.set
process_cmd.zunionstore = process_cmd.eval
process_cmd.scan = process_cmd.script
process_cmd.sscan = process_cmd.set
process_cmd.hscan = process_cmd.set
process_cmd.zscan = process_cmd.set
local function get_key_indexes(cmd, args)
local idx_l = {}
cmd = string.lower(cmd)
if process_cmd[cmd] then
idx_l = process_cmd[cmd](args)
else
logger.warnx(rspamd_config, "Don't know how to extract keys for %s Redis command", cmd)
end
return idx_l
end
local gen_meta = {
principal_recipient = function(task)
return task:get_principal_recipient()
end,
principal_recipient_domain = function(task)
local p = task:get_principal_recipient()
if not p then
return
end
return string.match(p, '.*@(.*)')
end,
ip = function(task)
local i = task:get_ip()
if i and i:is_valid() then
return i:to_string()
end
end,
from = function(task)
return ((task:get_from('smtp') or E)[1] or E)['addr']
end,
from_domain = function(task)
return ((task:get_from('smtp') or E)[1] or E)['domain']
end,
from_domain_or_helo_domain = function(task)
local d = ((task:get_from('smtp') or E)[1] or E)['domain']
if d and #d > 0 then
return d
end
return task:get_helo()
end,
mime_from = function(task)
return ((task:get_from('mime') or E)[1] or E)['addr']
end,
mime_from_domain = function(task)
return ((task:get_from('mime') or E)[1] or E)['domain']
end,
}
local function gen_get_esld(f)
return function(task)
local d = f(task)
if not d then
return
end
return rspamd_util.get_tld(d)
end
end
gen_meta.smtp_from = gen_meta.from
gen_meta.smtp_from_domain = gen_meta.from_domain
gen_meta.smtp_from_domain_or_helo_domain = gen_meta.from_domain_or_helo_domain
gen_meta.esld_principal_recipient_domain = gen_get_esld(gen_meta.principal_recipient_domain)
gen_meta.esld_from_domain = gen_get_esld(gen_meta.from_domain)
gen_meta.esld_smtp_from_domain = gen_meta.esld_from_domain
gen_meta.esld_mime_from_domain = gen_get_esld(gen_meta.mime_from_domain)
gen_meta.esld_from_domain_or_helo_domain = gen_get_esld(gen_meta.from_domain_or_helo_domain)
gen_meta.esld_smtp_from_domain_or_helo_domain = gen_meta.esld_from_domain_or_helo_domain
local function get_key_expansion_metadata(task)
local md_mt = {
__index = function(self, k)
k = string.lower(k)
local v = rawget(self, k)
if v then
return v
end
if gen_meta[k] then
v = gen_meta[k](task)
rawset(self, k, v)
end
return v
end,
}
local lazy_meta = {}
setmetatable(lazy_meta, md_mt)
return lazy_meta
end
-- Performs async call to redis hiding all complexity inside function
-- task - rspamd_task
-- redis_params - valid params returned by rspamd_parse_redis_server
-- key - key to select upstream or nil to select round-robin/master-slave
-- is_write - true if need to write to redis server
-- callback - function to be called upon request is completed
-- command - redis command
-- args - table of arguments
-- extra_opts - table of optional request arguments
local function rspamd_redis_make_request(task, redis_params, key, is_write,
callback, command, args, extra_opts)
local addr
local function rspamd_redis_make_request_cb(err, data)
if err then
addr:fail()
else
addr:ok()
end
if callback then
callback(err, data, addr)
end
end
if not task or not redis_params or not command then
return false, nil, nil
end
local rspamd_redis = require "rspamd_redis"
if key then
if is_write then
addr = redis_params['write_servers']:get_upstream_by_hash(key)
else
addr = redis_params['read_servers']:get_upstream_by_hash(key)
end
else
if is_write then
addr = redis_params['write_servers']:get_upstream_master_slave(key)
else
addr = redis_params['read_servers']:get_upstream_round_robin(key)
end
end
if not addr then
logger.errx(task, 'cannot select server to make redis request')
end
if redis_params['expand_keys'] then
local m = get_key_expansion_metadata(task)
local indexes = get_key_indexes(command, args)
for _, i in ipairs(indexes) do
args[i] = lutil.template(args[i], m)
end
end
local ip_addr = addr:get_addr()
local options = {
task = task,
callback = rspamd_redis_make_request_cb,
host = ip_addr,
timeout = redis_params['timeout'],
cmd = command,
args = args
}
if extra_opts then
for k, v in pairs(extra_opts) do
options[k] = v
end
end
if redis_params['username'] then
options['username'] = redis_params['username']
end
if redis_params['password'] then
options['password'] = redis_params['password']
end
if redis_params['db'] then
options['dbname'] = redis_params['db']
end
lutil.debugm(N, task, 'perform request to redis server' ..
' (host=%s, timeout=%s): cmd: %s', ip_addr,
options.timeout, options.cmd)
local ret, conn = rspamd_redis.make_request(options)
if not ret then
addr:fail()
logger.warnx(task, "cannot make redis request to: %s", tostring(ip_addr))
end
return ret, conn, addr
end
--[[[
-- @function lua_redis.redis_make_request(task, redis_params, key, is_write, callback, command, args)
-- Sends a request to Redis
-- @param {rspamd_task} task task object
-- @param {table} redis_params redis configuration in format returned by lua_redis.parse_redis_server()
-- @param {string} key key to use for sharding
-- @param {boolean} is_write should be `true` if we are performing a write operating
-- @param {function} callback callback function (first parameter is error if applicable, second is a 2D array (table))
-- @param {string} command Redis command to run
-- @param {table} args Numerically indexed table containing arguments for command
--]]
exports.rspamd_redis_make_request = rspamd_redis_make_request
exports.redis_make_request = rspamd_redis_make_request
local function redis_make_request_taskless(ev_base, cfg, redis_params, key,
is_write, callback, command, args, extra_opts)
if not ev_base or not redis_params or not command then
return false, nil, nil
end
local addr
local function rspamd_redis_make_request_cb(err, data)
if err then
addr:fail()
else
addr:ok()
end
if callback then
callback(err, data, addr)
end
end
local rspamd_redis = require "rspamd_redis"
if key then
if is_write then
addr = redis_params['write_servers']:get_upstream_by_hash(key)
else
addr = redis_params['read_servers']:get_upstream_by_hash(key)
end
else
if is_write then
addr = redis_params['write_servers']:get_upstream_master_slave(key)
else
addr = redis_params['read_servers']:get_upstream_round_robin(key)
end
end
if not addr then
logger.errx(cfg, 'cannot select server to make redis request')
end
local options = {
ev_base = ev_base,
config = cfg,
callback = rspamd_redis_make_request_cb,
host = addr:get_addr(),
timeout = redis_params['timeout'],
cmd = command,
args = args
}
if extra_opts then
for k, v in pairs(extra_opts) do
options[k] = v
end
end
if redis_params['username'] then
options['username'] = redis_params['username']
end
if redis_params['password'] then
options['password'] = redis_params['password']
end
if redis_params['db'] then
options['dbname'] = redis_params['db']
end
lutil.debugm(N, cfg, 'perform taskless request to redis server' ..
' (host=%s, timeout=%s): cmd: %s', options.host:tostring(true),
options.timeout, options.cmd)
local ret, conn = rspamd_redis.make_request(options)
if not ret then
logger.errx('cannot execute redis request')
addr:fail()
end
return ret, conn, addr
end
--[[[
-- @function lua_redis.redis_make_request_taskless(ev_base, redis_params, key, is_write, callback, command, args)
-- Sends a request to Redis in context where `task` is not available for some specific use-cases
-- Identical to redis_make_request() except in that first parameter is an `event base` object
--]]
exports.rspamd_redis_make_request_taskless = redis_make_request_taskless
exports.redis_make_request_taskless = redis_make_request_taskless
local redis_scripts = {
}
local function script_set_loaded(script)
if script.sha then
script.loaded = true
end
local wait_table = {}
for _, s in ipairs(script.waitq) do
table.insert(wait_table, s)
end
script.waitq = {}
for _, s in ipairs(wait_table) do
s(script.loaded)
end
end
local function prepare_redis_call(script)
local servers = {}
local options = {}
if script.redis_params.read_servers then
servers = lutil.table_merge(servers, script.redis_params.read_servers:all_upstreams())
end
if script.redis_params.write_servers then
servers = lutil.table_merge(servers, script.redis_params.write_servers:all_upstreams())
end
-- Call load script on each server, set loaded flag
script.in_flight = #servers
for _, s in ipairs(servers) do
local cur_opts = {
host = s:get_addr(),
timeout = script.redis_params['timeout'],
cmd = 'SCRIPT',
args = { 'LOAD', script.script },
upstream = s
}
if script.redis_params['username'] then
cur_opts['username'] = script.redis_params['username']
end
if script.redis_params['password'] then
cur_opts['password'] = script.redis_params['password']
end
if script.redis_params['db'] then
cur_opts['dbname'] = script.redis_params['db']
end
table.insert(options, cur_opts)
end
return options
end
local function load_script_task(script, task, is_write)
local rspamd_redis = require "rspamd_redis"
local opts = prepare_redis_call(script)
for _, opt in ipairs(opts) do
opt.task = task
opt.is_write = is_write
opt.callback = function(err, data)
if err then
logger.errx(task, 'cannot upload script to %s: %s; registered from: %s:%s',
opt.upstream:get_addr():to_string(true),
err, script.caller.short_src, script.caller.currentline)
opt.upstream:fail()
script.fatal_error = err
else
opt.upstream:ok()
logger.infox(task,
"uploaded redis script to %s %s %s, sha: %s",
opt.upstream:get_addr():to_string(true),
script.filename and "from file" or "with id", script.filename or script.id, data)
script.sha = data -- We assume that sha is the same on all servers
end
script.in_flight = script.in_flight - 1
if script.in_flight == 0 then
script_set_loaded(script)
end
end
local ret = rspamd_redis.make_request(opt)
if not ret then
logger.errx('cannot execute redis request to load script on %s',
opt.upstream:get_addr())
script.in_flight = script.in_flight - 1
opt.upstream:fail()
end
if script.in_flight == 0 then
script_set_loaded(script)
end
end
end
local function load_script_taskless(script, cfg, ev_base, is_write)
local rspamd_redis = require "rspamd_redis"
local opts = prepare_redis_call(script)
for _, opt in ipairs(opts) do
opt.config = cfg
opt.ev_base = ev_base
opt.is_write = is_write
opt.callback = function(err, data)
if err then
logger.errx(cfg, 'cannot upload script to %s: %s; registered from: %s:%s, filename: %s',
opt.upstream:get_addr():to_string(true),
err, script.caller.short_src, script.caller.currentline, script.filename)
opt.upstream:fail()
script.fatal_error = err
else
opt.upstream:ok()
logger.infox(cfg,
"uploaded redis script to %s %s %s, sha: %s",
opt.upstream:get_addr():to_string(true),
script.filename and "from file" or "with id", script.filename or script.id,
data)
script.sha = data -- We assume that sha is the same on all servers
script.fatal_error = nil
end
script.in_flight = script.in_flight - 1
if script.in_flight == 0 then
script_set_loaded(script)
end
end
local ret = rspamd_redis.make_request(opt)
if not ret then
logger.errx('cannot execute redis request to load script on %s',
opt.upstream:get_addr())
script.in_flight = script.in_flight - 1
opt.upstream:fail()
end
if script.in_flight == 0 then
script_set_loaded(script)
end
end
end
local function load_redis_script(script, cfg, ev_base, _)
if script.redis_params then
load_script_taskless(script, cfg, ev_base)
end
end
local function add_redis_script(script, redis_params, caller_level, maybe_filename)
if not caller_level then
caller_level = 2
end
local caller = debug.getinfo(caller_level) or debug.getinfo(caller_level - 1) or E
local new_script = {
caller = caller,
loaded = false,
redis_params = redis_params,
script = script,
waitq = {}, -- callbacks pending for script being loaded
id = #redis_scripts + 1,
filename = maybe_filename,
}
-- Register on load function
rspamd_config:add_on_load(function(cfg, ev_base, worker)
local mult = 0.0
rspamd_config:add_periodic(ev_base, 0.0, function()
if not new_script.sha then
load_redis_script(new_script, cfg, ev_base, worker)
mult = mult + 1
return 1.0 * mult -- Check one more time in one second
end
return false
end, false)
end)
table.insert(redis_scripts, new_script)
return #redis_scripts
end
exports.add_redis_script = add_redis_script
-- Loads a Redis script from a file, strips comments, and passes the content to
-- `add_redis_script` function.
--
-- @param filename The name of the file containing the Redis script.
-- @param redis_params The Redis parameters to use for this script.
-- @return The ID of the newly added Redis script.
--
local function load_redis_script_from_file(filename, redis_params, dir)
local lua_util = require "lua_util"
local rspamd_logger = require "rspamd_logger"
if not dir then
dir = rspamd_paths.LUALIBDIR
end
local path = filename
if filename:sub(1, 1) ~= package.config:sub(1, 1) then
-- Relative path
path = lua_util.join_path(dir, "redis_scripts", filename)
end
-- Read file contents
local file = io.open(path, "r")
if not file then
rspamd_logger.errx("failed to open Redis script file: %s", path)
return nil
end
local script = file:read("*all")
if not script then
rspamd_logger.errx("failed to load Redis script file: %s", path)
return nil
end
file:close()
script = lua_util.strip_lua_comments(script)
return add_redis_script(script, redis_params, 3, filename)
end
exports.load_redis_script_from_file = load_redis_script_from_file
local function exec_redis_script(id, params, callback, keys, args)
local redis_args = {}
if not redis_scripts[id] then
logger.errx("cannot find registered script with id %s", id)
return false
end
local script = redis_scripts[id]
if script.fatal_error then
callback(script.fatal_error, nil)
return true
end
if not script.redis_params then
callback('no redis servers defined', nil)
return true
end
local function do_call(can_reload)
local function redis_cb(err, data)
if not err then
callback(err, data)
elseif string.match(err, 'NOSCRIPT') then
-- Schedule restart
script.sha = nil
if can_reload then
table.insert(script.waitq, do_call)
if script.in_flight == 0 then
-- Reload scripts if this has not been initiated yet
if params.task then
load_script_task(script, params.task)
else
load_script_taskless(script, rspamd_config, params.ev_base)
end
end
else
callback(err, data)
end
else
callback(err, data)
end
end
if #redis_args == 0 then
table.insert(redis_args, script.sha)
table.insert(redis_args, tostring(#keys))
for _, k in ipairs(keys) do
table.insert(redis_args, k)
end
if type(args) == 'table' then
for _, a in ipairs(args) do
table.insert(redis_args, a)
end
end
end
if params.task then
if not rspamd_redis_make_request(params.task, script.redis_params,
params.key, params.is_write, redis_cb, 'EVALSHA', redis_args) then
callback('Cannot make redis request', nil)
end
else
if not redis_make_request_taskless(params.ev_base, rspamd_config,
script.redis_params,
params.key, params.is_write, redis_cb, 'EVALSHA', redis_args) then
callback('Cannot make redis request', nil)
end
end
end
if script.loaded then
do_call(true)
else
-- Delayed until scripts are loaded
if not params.task then
table.insert(script.waitq, do_call)
else
-- TODO: fix taskfull requests
table.insert(script.waitq, function()
if script.loaded then
do_call(false)
else
callback('NOSCRIPT', nil)
end
end)
load_script_task(script, params.task, params.is_write)
end
end
return true
end
exports.exec_redis_script = exec_redis_script
local function redis_connect_sync(redis_params, is_write, key, cfg, ev_base)
if not redis_params then
return false, nil
end
local rspamd_redis = require "rspamd_redis"
local addr
if key then
if is_write then
addr = redis_params['write_servers']:get_upstream_by_hash(key)
else
addr = redis_params['read_servers']:get_upstream_by_hash(key)
end
else
if is_write then
addr = redis_params['write_servers']:get_upstream_master_slave(key)
else
addr = redis_params['read_servers']:get_upstream_round_robin(key)
end
end
if not addr then
logger.errx(cfg, 'cannot select server to make redis request')
end
local options = {
host = addr:get_addr(),
timeout = redis_params['timeout'],
config = cfg or rspamd_config,
ev_base = ev_base or rspamadm_ev_base,
session = redis_params.session or rspamadm_session
}
for k, v in pairs(redis_params) do
options[k] = v
end
if not options.config then
logger.errx('config is not set')
return false, nil, addr
end
if not options.ev_base then
logger.errx('ev_base is not set')
return false, nil, addr
end
if not options.session then
logger.errx('session is not set')
return false, nil, addr
end
local ret, conn = rspamd_redis.connect_sync(options)
if not ret then
logger.errx('cannot create redis connection: %s', conn)
addr:fail()
return false, nil, addr
end
if conn then
local need_exec = false
if redis_params['username'] then
if redis_params['password'] then
conn:add_cmd('AUTH', { redis_params['username'], redis_params['password'] })
need_exec = true
else
logger.warnx('Redis requires a password when username is supplied')
return false, nil, addr
end
elseif redis_params['password'] then
conn:add_cmd('AUTH', { redis_params['password'] })
need_exec = true
end
if redis_params['db'] then
conn:add_cmd('SELECT', { tostring(redis_params['db']) })
need_exec = true
elseif redis_params['dbname'] then
conn:add_cmd('SELECT', { tostring(redis_params['dbname']) })
need_exec = true
end
if need_exec then
local exec_ret, res = conn:exec()
if not exec_ret then
logger.errx('cannot prepare redis connection (authentication or db selection failure): %s',
res)
addr:fail()
return false, nil, addr
end
end
end
return ret, conn, addr
end
exports.redis_connect_sync = redis_connect_sync
--[[[
-- @function lua_redis.request(redis_params, attrs, req)
-- Sends a request to Redis synchronously with coroutines or asynchronously using
-- a callback (modern API)
-- @param redis_params a table of redis server parameters
-- @param attrs a table of redis request attributes (e.g. task, or ev_base + cfg + session)
-- @param req a table of request: a command + command options
-- @return {result,data/connection,address} boolean result, connection object in case of async request and results if using coroutines, redis server address
--]]
exports.request = function(redis_params, attrs, req)
local lua_util = require "lua_util"
if not attrs or not redis_params or not req then
logger.errx('invalid arguments for redis request')
return false, nil, nil
end
if not (attrs.task or (attrs.config and attrs.ev_base)) then
logger.errx('invalid attributes for redis request')
return false, nil, nil
end
local opts = lua_util.shallowcopy(attrs)
local log_obj = opts.task or opts.config
local addr
if opts.callback then
-- Wrap callback
local callback = opts.callback
local function rspamd_redis_make_request_cb(err, data)
if err then
addr:fail()
else
addr:ok()
end
callback(err, data, addr)
end
opts.callback = rspamd_redis_make_request_cb
end
local rspamd_redis = require "rspamd_redis"
local is_write = opts.is_write
if opts.key then
if is_write then
addr = redis_params['write_servers']:get_upstream_by_hash(attrs.key)
else
addr = redis_params['read_servers']:get_upstream_by_hash(attrs.key)
end
else
if is_write then
addr = redis_params['write_servers']:get_upstream_master_slave(attrs.key)
else
addr = redis_params['read_servers']:get_upstream_round_robin(attrs.key)
end
end
if not addr then
logger.errx(log_obj, 'cannot select server to make redis request')
end
opts.host = addr:get_addr()
opts.timeout = redis_params.timeout
if type(req) == 'string' then
opts.cmd = req
else
-- XXX: modifies the input table
opts.cmd = table.remove(req, 1);
opts.args = req
end
if redis_params.username then
opts.username = redis_params.username
end
if redis_params.password then
opts.password = redis_params.password
end
if redis_params.db then
opts.dbname = redis_params.db
end
lutil.debugm(N, 'perform generic request to redis server' ..
' (host=%s, timeout=%s): cmd: %s, arguments: %s', addr,
opts.timeout, opts.cmd, opts.args)
if opts.callback then
local ret, conn = rspamd_redis.make_request(opts)
if not ret then
logger.errx(log_obj, 'cannot execute redis request')
addr:fail()
end
return ret, conn, addr
else
-- Coroutines version
local ret, conn = rspamd_redis.connect_sync(opts)
if not ret then
logger.errx(log_obj, 'cannot execute redis request')
addr:fail()
else
conn:add_cmd(opts.cmd, opts.args)
return conn:exec()
end
return false, nil, addr
end
end
--[[[
-- @function lua_redis.connect(redis_params, attrs)
-- Connects to Redis synchronously with coroutines or asynchronously using a callback (modern API)
-- @param redis_params a table of redis server parameters
-- @param attrs a table of redis request attributes (e.g. task, or ev_base + cfg + session)
-- @return {result,connection,address} boolean result, connection object, redis server address
--]]
exports.connect = function(redis_params, attrs)
local lua_util = require "lua_util"
if not attrs or not redis_params then
logger.errx('invalid arguments for redis connect')
return false, nil, nil
end
if not (attrs.task or (attrs.config and attrs.ev_base)) then
logger.errx('invalid attributes for redis connect')
return false, nil, nil
end
local opts = lua_util.shallowcopy(attrs)
local log_obj = opts.task or opts.config
local addr
if opts.callback then
-- Wrap callback
local callback = opts.callback
local function rspamd_redis_make_request_cb(err, data)
if err then
addr:fail()
else
addr:ok()
end
callback(err, data, addr)
end
opts.callback = rspamd_redis_make_request_cb
end
local rspamd_redis = require "rspamd_redis"
local is_write = opts.is_write
if opts.key then
if is_write then
addr = redis_params['write_servers']:get_upstream_by_hash(attrs.key)
else
addr = redis_params['read_servers']:get_upstream_by_hash(attrs.key)
end
else
if is_write then
addr = redis_params['write_servers']:get_upstream_master_slave(attrs.key)
else
addr = redis_params['read_servers']:get_upstream_round_robin(attrs.key)
end
end
if not addr then
logger.errx(log_obj, 'cannot select server to make redis connect')
end
opts.host = addr:get_addr()
opts.timeout = redis_params.timeout
if redis_params.username then
opts.username = redis_params.username
end
if redis_params.password then
opts.password = redis_params.password
end
if redis_params.db then
opts.dbname = redis_params.db
end
if opts.callback then
local ret, conn = rspamd_redis.connect(opts)
if not ret then
logger.errx(log_obj, 'cannot execute redis connect')
addr:fail()
end
return ret, conn, addr
else
-- Coroutines version
local ret, conn = rspamd_redis.connect_sync(opts)
if not ret then
logger.errx(log_obj, 'cannot execute redis connect')
addr:fail()
else
return true, conn, addr
end
return false, nil, addr
end
end
local redis_prefixes = {}
--[[[
-- @function lua_redis.register_prefix(prefix, module, description[, optional])
-- Register new redis prefix for documentation purposes
-- @param {string} prefix string prefix
-- @param {string} module module name
-- @param {string} description prefix description
-- @param {table} optional optional kv pairs (e.g. pattern)
--]]
local function register_prefix(prefix, module, description, optional)
local pr = {
module = module,
description = description
}
if optional and type(optional) == 'table' then
for k, v in pairs(optional) do
pr[k] = v
end
end
redis_prefixes[prefix] = pr
end
exports.register_prefix = register_prefix
--[[[
-- @function lua_redis.prefixes([mname])
-- Returns prefixes for specific module (or all prefixes). Returns a table prefix -> table
--]]
exports.prefixes = function(mname)
if not mname then
return redis_prefixes
else
local fun = require "fun"
return fun.totable(fun.filter(function(_, data)
return data.module == mname
end,
redis_prefixes))
end
end
return exports
|