7e9bb09d14b05c1fb3a70fad2e850281f2587940
[ircu2.10.12-pk.git] / ircd / channel.c
1 /*
2  * IRC - Internet Relay Chat, ircd/channel.c
3  * Copyright (C) 1990 Jarkko Oikarinen and
4  *                    University of Oulu, Co Center
5  *
6  * This program is free software; you can redistribute it and/or modify
7  * it under the terms of the GNU General Public License as published by
8  * the Free Software Foundation; either version 1, or (at your option)
9  * any later version.
10  *
11  * This program is distributed in the hope that it will be useful,
12  * but WITHOUT ANY WARRANTY; without even the implied warranty of
13  * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
14  * GNU General Public License for more details.
15  *
16  * You should have received a copy of the GNU General Public License
17  * along with this program; if not, write to the Free Software
18  * Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA.
19  */
20 /** @file
21  * @brief Channel management and maintenance
22  * @version $Id: channel.c 1906 2009-02-09 03:39:42Z entrope $
23  */
24 #include "config.h"
25
26 #include "channel.h"
27 #include "class.h"
28 #include "client.h"
29 #include "destruct_event.h"
30 #include "hash.h"
31 #include "ircd.h"
32 #include "ircd_alloc.h"
33 #include "ircd_chattr.h"
34 #include "ircd_defs.h"
35 #include "ircd_features.h"
36 #include "ircd_log.h"
37 #include "ircd_reply.h"
38 #include "ircd_snprintf.h"
39 #include "ircd_string.h"
40 #include "list.h"
41 #include "match.h"
42 #include "msg.h"
43 #include "msgq.h"
44 #include "numeric.h"
45 #include "numnicks.h"
46 #include "querycmds.h"
47 #include "s_bsd.h"
48 #include "s_conf.h"
49 #include "s_debug.h"
50 #include "s_misc.h"
51 #include "s_user.h"
52 #include "send.h"
53 #include "struct.h"
54 #include "sys.h"
55 #include "whowas.h"
56
57 /* #include <assert.h> -- Now using assert in ircd_log.h */
58 #include <stdio.h>
59 #include <stdlib.h>
60 #include <string.h>
61
62 /** Linked list containing the full list of all channels */
63 struct Channel* GlobalChannelList = 0;
64
65 /** Number of struct Membership*'s allocated */
66 static unsigned int membershipAllocCount;
67 /** Freelist for struct Membership*'s */
68 static struct Membership* membershipFreeList;
69 /** Freelist for struct Ban*'s */
70 static struct Ban* free_bans;
71 /** Freelist for struct MemberFlood*'s */
72 static struct MemberFlood* free_MemberFlood;
73 /** Number of ban structures allocated. */
74 static size_t bans_alloc;
75 /** Number of ban structures in use. */
76 static size_t bans_inuse;
77
78 #if !defined(NDEBUG)
79 /** return the length (>=0) of a chain of links.
80  * @param lp    pointer to the start of the linked list
81  * @return the number of items in the list
82  */
83 static int list_length(struct SLink *lp)
84 {
85   int count = 0;
86
87   for (; lp; lp = lp->next)
88     ++count;
89   return count;
90 }
91 #endif
92
93 /** Set the mask for a ban, checking for IP masks.
94  * @param[in,out] ban Ban structure to modify.
95  * @param[in] banstr Mask to ban.
96  */
97 static void
98 set_ban_mask(struct Ban *ban, const char *banstr)
99 {
100   char *sep;
101   assert(banstr != NULL);
102   ircd_strncpy(ban->banstr, banstr, sizeof(ban->banstr) - 1);
103   sep = strrchr(banstr, '@');
104   if (sep) {
105     ban->nu_len = sep - banstr;
106     if (ipmask_parse(sep + 1, &ban->address, &ban->addrbits))
107       ban->flags |= BAN_IPMASK;
108   }
109 }
110
111 /** Allocate a new Ban structure.
112  * @param[in] banstr Ban mask to use.
113  * @return Newly allocated ban.
114  */
115 struct Ban *
116 make_ban(const char *banstr)
117 {
118   struct Ban *ban;
119   if (free_bans) {
120     ban = free_bans;
121     free_bans = free_bans->next;
122   }
123   else if (!(ban = MyMalloc(sizeof(*ban))))
124     return NULL;
125   else
126     bans_alloc++;
127   bans_inuse++;
128   memset(ban, 0, sizeof(*ban));
129   set_ban_mask(ban, banstr);
130   return ban;
131 }
132
133 /** Deallocate a ban structure.
134  * @param[in] ban Ban to deallocate.
135  */
136 void
137 free_ban(struct Ban *ban)
138 {
139   ban->next = free_bans;
140   free_bans = ban;
141   bans_inuse--;
142 }
143
144 /** Report ban usage to \a cptr.
145  * @param[in] cptr Client requesting information.
146  */
147 void bans_send_meminfo(struct Client *cptr)
148 {
149   struct Ban *ban;
150   size_t num_free;
151   for (num_free = 0, ban = free_bans; ban; ban = ban->next)
152     num_free++;
153   send_reply(cptr, SND_EXPLICIT | RPL_STATSDEBUG, ":Bans: inuse %zu(%zu) free %zu alloc %zu",
154              bans_inuse, bans_inuse * sizeof(*ban), num_free, bans_alloc);
155 }
156
157 /** return the struct Membership* that represents a client on a channel
158  * This function finds a struct Membership* which holds the state about
159  * a client on a specific channel.  The code is smart enough to iterate
160  * over the channels a user is in, or the users in a channel to find the
161  * user depending on which is likely to be more efficient.
162  *
163  * @param chptr pointer to the channel struct
164  * @param cptr pointer to the client struct
165  *
166  * @returns pointer to the struct Membership representing this client on 
167  *          this channel.  Returns NULL if the client is not on the channel.
168  *          Returns NULL if the client is actually a server.
169  * @see find_channel_member()
170  */
171 struct Membership* find_member_link(struct Channel* chptr, const struct Client* cptr)
172 {
173   struct Membership *m;
174   assert(0 != cptr);
175   assert(0 != chptr);
176   
177   /* Servers don't have member links */
178   if (IsServer(cptr)||IsMe(cptr))
179      return 0;
180   
181   /* +k users are typically on a LOT of channels.  So we iterate over who
182    * is in the channel.  X/W are +k and are in about 5800 channels each.
183    * however there are typically no more than 1000 people in a channel
184    * at a time.
185    */
186   if (IsChannelService(cptr)) {
187     m = chptr->members;
188     while (m) {
189       assert(m->channel == chptr);
190       if (m->user == cptr)
191         return m;
192       m = m->next_member;
193     }
194   }
195   /* Users on the other hand aren't allowed on more than 15 channels.  50%
196    * of users that are on channels are on 2 or less, 95% are on 7 or less,
197    * and 99% are on 10 or less.
198    */
199   else {
200    m = (cli_user(cptr))->channel;
201    while (m) {
202      assert(m->user == cptr);
203      if (m->channel == chptr)
204        return m;
205      m = m->next_channel;
206    }
207   }
208   return 0;
209 }
210
211 /** Find the client structure for a nick name (user) 
212  * Find the client structure for a nick name (user)
213  * using history mechanism if necessary. If the client is not found, an error
214  * message (NO SUCH NICK) is generated. If the client was found
215  * through the history, chasing will be 1 and otherwise 0.
216  *
217  * This function was used extensively in the P09 days, and since we now have
218  * numeric nicks is no longer quite as important.
219  *
220  * @param sptr  Pointer to the client that has requested the search
221  * @param user  a string representing the client to be found
222  * @param chasing a variable set to 0 if the user was found directly, 
223  *              1 otherwise
224  * @returns a pointer the client, or NULL if the client wasn't found.
225  */
226 struct Client* find_chasing(struct Client* sptr, const char* user, int* chasing)
227 {
228   struct Client* who = FindClient(user);
229   
230   if (chasing)
231     *chasing = 0;
232   if (who)
233     return who;
234
235   if (!(who = get_history(user, feature_int(FEAT_KILLCHASETIMELIMIT)))) {
236     send_reply(sptr, ERR_NOSUCHNICK, user);
237     return 0;
238   }
239   if (chasing)
240     *chasing = 1;
241   return who;
242 }
243
244 /** Decrement the count of users, and free if empty.
245  * Subtract one user from channel i (and free channel * block, if channel 
246  * became empty).
247  *
248  * @param chptr The channel to subtract one from.
249  *
250  * @returns true  (1) if channel still has members.
251  *          false (0) if the channel is now empty.
252  */
253 int sub1_from_channel(struct Channel* chptr)
254 {
255   if (chptr->users > 1)         /* Can be 0, called for an empty channel too */
256   {
257     assert(0 != chptr->members);
258     --chptr->users;
259     return 1;
260   }
261
262   chptr->users = 0;
263
264   if(chptr->mode.mode & MODE_PERSIST)
265     return 0;
266
267   /*
268    * Also channels without Apass set need to be kept alive,
269    * otherwise Bad Guys(tm) would be able to takeover
270    * existing channels too easily, and then set an Apass!
271    * However, if a channel without Apass becomes empty
272    * then we try to be kind to them and remove possible
273    * limiting modes.
274    */
275   chptr->mode.mode &= ~MODE_INVITEONLY;
276   chptr->mode.limit = 0;
277   /*
278    * We do NOT reset a possible key or bans because when
279    * the 'channel owners' can't get in because of a key
280    * or ban then apparently there was a fight/takeover
281    * on the channel and we want them to contact IRC opers
282    * who then will educate them on the use of Apass/Upass.
283    */
284   if (!chptr->mode.apass[0])                    /* If no Apass, reset all modes. */
285   {
286     struct Ban *link, *next;
287     chptr->mode.mode = 0;
288     *chptr->mode.key = '\0';
289     while (chptr->invites)
290       del_invite(chptr->invites->value.cptr, chptr);
291     for (link = chptr->banlist; link; link = next) {
292       next = link->next;
293       free_ban(link);
294     }
295     chptr->banlist = NULL;
296
297     /* Immediately destruct empty -A channels if not using apass. */
298     if (!feature_bool(FEAT_OPLEVELS))
299     {
300       destruct_channel(chptr);
301       return 0;
302     }
303   }
304   if (TStime() - chptr->creationtime < 172800)  /* Channel younger than 48 hours? */
305     schedule_destruct_event_1m(chptr);          /* Get rid of it in approximately 4-5 minutes */
306   else
307     schedule_destruct_event_48h(chptr);         /* Get rid of it in approximately 48 hours */
308
309   return 0;
310 }
311
312 /** Destroy an empty channel
313  * This function destroys an empty channel, removing it from hashtables,
314  * and removing any resources it may have consumed.
315  *
316  * @param chptr The channel to destroy
317  *
318  * @returns 0 (success)
319  *
320  * FIXME: Change to return void, this function never fails.
321  */
322 int destruct_channel(struct Channel* chptr)
323 {
324   struct Ban *ban, *next;
325
326   assert(0 == chptr->members);
327
328   /*
329    * Now, find all invite links from channel structure
330    */
331   while (chptr->invites)
332     del_invite(chptr->invites->value.cptr, chptr);
333
334   for (ban = chptr->banlist; ban; ban = next)
335   {
336     next = ban->next;
337     free_ban(ban);
338   }
339   if (chptr->prev)
340     chptr->prev->next = chptr->next;
341   else
342     GlobalChannelList = chptr->next;
343   if (chptr->next)
344     chptr->next->prev = chptr->prev;
345   hRemChannel(chptr);
346   --UserStats.channels;
347   /*
348    * make sure that channel actually got removed from hash table
349    */
350   assert(chptr->hnext == chptr);
351   MyFree(chptr);
352   return 0;
353 }
354
355 /** returns Membership * if a person is joined and not a zombie
356  * @param cptr Client
357  * @param chptr Channel
358  * @returns pointer to the client's struct Membership * on the channel if that
359  *          user is a full member of the channel, or NULL otherwise.
360  *
361  * @see find_member_link()
362  */
363 struct Membership* find_channel_member(struct Client* cptr, struct Channel* chptr)
364 {
365   struct Membership* member;
366   assert(0 != chptr);
367
368   member = find_member_link(chptr, cptr);
369   return (member && !IsZombie(member)) ? member : 0;
370 }
371
372 /** Searches for a ban from a ban list that matches a user.
373  * @param[in] cptr The client to test.
374  * @param[in] banlist The list of bans to test.
375  * @return Pointer to a matching ban, or NULL if none exit.
376  */
377 static struct Ban *find_ban_with_nick(struct Client *cptr, const char *nick, struct Ban *banlist)
378 {
379   char        nu[NICKLEN + USERLEN + 2];
380   char        tmphost[HOSTLEN + 1];
381   char        iphost[SOCKIPLEN + 1];
382   char       *hostmask;
383   char       *sr = NULL;
384   char       *account_host = NULL;
385   struct Ban *found;
386
387   /* Build nick!user and alternate host names. */
388   ircd_snprintf(0, nu, sizeof(nu), "%s!%s",
389                 (nick ? nick : cli_name(cptr)), cli_user(cptr)->username);
390   ircd_ntoa_r(iphost, &cli_ip(cptr));
391
392   /* Check for all three possible hosts:
393    *   - account host
394    *   - fakehost
395    *   - real host
396    * But only if they are set.
397    *  --gix */
398   if(IsAccount(cptr)) {
399     ircd_snprintf(0, tmphost, HOSTLEN, "%s.%s", cli_user(cptr)->account, feature_str(FEAT_HIDDEN_HOST));
400     account_host = tmphost;
401   }
402   if(IsFakeHost(cptr)) {
403     if(HasHiddenHost(cptr)) {
404       sr = cli_user(cptr)->realhost;
405     }
406     else sr = cli_user(cptr)->fakehost;
407   }
408   else if(HasHiddenHost(cptr)) {
409     account_host = NULL;
410     sr = cli_user(cptr)->realhost;
411   }
412
413   /* Walk through ban list. */
414   for (found = NULL; banlist; banlist = banlist->next) {
415     int res;
416     /* If we have found a positive ban already, only consider exceptions. */
417     if (found && !(banlist->flags & BAN_EXCEPTION))
418       continue;
419     /* Compare nick!user portion of ban. */
420     banlist->banstr[banlist->nu_len] = '\0';
421     res = match(banlist->banstr, nu);
422     banlist->banstr[banlist->nu_len] = '@';
423     if (res)
424       continue;
425     /* Compare host portion of ban. */
426     hostmask = banlist->banstr + banlist->nu_len + 1;
427     if (!((banlist->flags & BAN_IPMASK)
428          && ipmask_check(&cli_ip(cptr), &banlist->address, banlist->addrbits))
429         && match(hostmask, cli_user(cptr)->host)
430         && !(account_host && !match(hostmask, account_host))
431         && !(sr && !match(hostmask, sr)))
432         continue;
433     /* If an exception matches, no ban can match. */
434     if (banlist->flags & BAN_EXCEPTION)
435       return NULL;
436     /* Otherwise, remember this ban but keep searching for an exception. */
437     found = banlist;
438   }
439   return found;
440 }
441
442 struct Ban *find_ban(struct Client *cptr, struct Ban *banlist) {
443     return find_ban_with_nick(cptr, NULL, banlist);
444 }
445
446 /**
447  * This function returns true if the user is banned on the said channel.
448  * This function will check the ban cache if applicable, otherwise will
449  * do the comparisons and cache the result.
450  *
451  * @param[in] member The Membership to test for banned-ness.
452  * @return Non-zero if the member is banned, zero if not.
453  */
454 static int is_banned(struct Membership* member)
455 {
456   if (IsBanValid(member))
457     return IsBanned(member);
458
459   SetBanValid(member);
460   if (find_ban(member->user, member->channel->banlist)) {
461     SetBanned(member);
462     return 1;
463   } else {
464     ClearBanned(member);
465     return 0;
466   }
467 }
468
469 static int is_banned_with_nick(struct Membership* member, const char *nick) {
470   if (find_ban_with_nick(member->user, nick, member->channel->banlist))
471     return 1;
472   else
473     return 0;
474 }
475
476 /** add a user to a channel.
477  * adds a user to a channel by adding another link to the channels member
478  * chain.
479  *
480  * @param chptr The channel to add to.
481  * @param who   The user to add.
482  * @param flags The flags the user gets initially.
483  * @param oplevel The oplevel the user starts with.
484  */
485 void add_user_to_channel(struct Channel* chptr, struct Client* who,
486                                 unsigned int flags, int oplevel)
487 {
488   assert(0 != chptr);
489   assert(0 != who);
490
491   if (cli_user(who)) {
492    
493     struct Membership* member = membershipFreeList;
494     if (member)
495       membershipFreeList = member->next_member;
496     else {
497       member = (struct Membership*) MyMalloc(sizeof(struct Membership));
498       ++membershipAllocCount;
499     }
500
501     assert(0 != member);
502     member->user         = who;
503     member->channel      = chptr;
504     member->status       = flags;
505     member->flood        = NULL;
506     SetOpLevel(member, oplevel);
507
508     member->next_member  = chptr->members;
509     if (member->next_member)
510       member->next_member->prev_member = member;
511     member->prev_member  = 0; 
512     chptr->members       = member;
513
514     member->next_channel = (cli_user(who))->channel;
515     if (member->next_channel)
516       member->next_channel->prev_channel = member;
517     member->prev_channel = 0;
518     (cli_user(who))->channel = member;
519
520     if (chptr->destruct_event)
521       remove_destruct_event(chptr);
522     ++chptr->users;
523     ++((cli_user(who))->joined);
524   }
525 }
526
527 /** Remove a person from a channel, given their Membership*
528  *
529  * @param member A member of a channel.
530  *
531  * @returns true if there are more people in the channel.
532  */
533 static int remove_member_from_channel(struct Membership* member)
534 {
535   struct Channel* chptr;
536   assert(0 != member);
537   chptr = member->channel;
538   /*
539    * unlink channel member list
540    */
541   if (member->next_member)
542     member->next_member->prev_member = member->prev_member;
543   if (member->prev_member)
544     member->prev_member->next_member = member->next_member;
545   else
546     member->channel->members = member->next_member; 
547
548   /*
549    * If this is the last delayed-join user, may have to clear WASDELJOINS.
550    */
551   if (IsDelayedJoin(member))
552     CheckDelayedJoins(chptr);
553
554   /*
555    * unlink client channel list
556    */
557   if (member->next_channel)
558     member->next_channel->prev_channel = member->prev_channel;
559   if (member->prev_channel)
560     member->prev_channel->next_channel = member->next_channel;
561   else
562     (cli_user(member->user))->channel = member->next_channel;
563
564   --(cli_user(member->user))->joined;
565
566   member->flood = NULL;
567   
568   member->next_member = membershipFreeList;
569   membershipFreeList = member;
570
571   return sub1_from_channel(chptr);
572 }
573
574 /** Check if all the remaining members on the channel are zombies
575  *
576  * @returns False if the channel has any non zombie members, True otherwise.
577  * @see \ref zombie
578  */
579 static int channel_all_zombies(struct Channel* chptr)
580 {
581   struct Membership* member;
582
583   /* Though, there are no real users we pretend this channel to have members
584    * to protect it from being destroyed.
585    */
586   if(chptr->mode.mode & MODE_PERSIST)
587     return 0;
588
589   for (member = chptr->members; member; member = member->next_member) {
590     if (!IsZombie(member))
591       return 0;
592   }
593   return 1;
594 }
595       
596
597 /** Remove a user from a channel
598  * This is the generic entry point for removing a user from a channel, this
599  * function will remove the client from the channel, and destroy the channel
600  * if there are no more normal users left.
601  *
602  * @param cptr          The client
603  * @param chptr         The channel
604  */
605 void remove_user_from_channel(struct Client* cptr, struct Channel* chptr)
606 {
607   
608   struct Membership* member;
609   assert(0 != chptr);
610
611   if ((member = find_member_link(chptr, cptr))) {
612     if (remove_member_from_channel(member)) {
613       if (channel_all_zombies(chptr)) {
614         /*
615          * XXX - this looks dangerous but isn't if we got the referential
616          * integrity right for channels
617          */
618         while (remove_member_from_channel(chptr->members))
619           ;
620       }
621     }
622   }
623 }
624
625 /** Remove a user from all channels they are on.
626  *
627  * This function removes a user from all channels they are on.
628  *
629  * @param cptr  The client to remove.
630  */
631 void remove_user_from_all_channels(struct Client* cptr)
632 {
633   struct Membership* chan;
634   assert(0 != cptr);
635   assert(0 != cli_user(cptr));
636
637   while ((chan = (cli_user(cptr))->channel))
638     remove_user_from_channel(cptr, chan->channel);
639 }
640
641 /** Check if this user is a legitimate chanop
642  *
643  * @param cptr  Client to check
644  * @param chptr Channel to check
645  *
646  * @returns True if the user is a chanop (And not a zombie), False otherwise.
647  * @see \ref zombie
648  */
649 int is_chan_op(struct Client *cptr, struct Channel *chptr)
650 {
651   struct Membership* member;
652   assert(chptr);
653   if ((member = find_member_link(chptr, cptr)))
654     return (!IsZombie(member) && IsChanOp(member));
655
656   return 0;
657 }
658
659 /** Check if this user is a legitimate halfop
660  *
661  * @param cptr  Client to check
662  * @param chptr Channel to check
663  *
664  * @returns True if the user is a halfop (And not a zombie), False otherwise.
665  * @see \ref zombie
666  */
667 int is_halfop(struct Client *cptr, struct Channel *chptr)
668 {
669   struct Membership* member;
670   assert(chptr);
671   if ((member = find_member_link(chptr, cptr)))
672     return (!IsZombie(member) && IsHalfOp(member));
673
674   return 0;
675 }
676
677 /** Check if a user is a Zombie on a specific channel.
678  *
679  * @param cptr          The client to check.
680  * @param chptr         The channel to check.
681  *
682  * @returns True if the client (cptr) is a zombie on the channel (chptr),
683  *          False otherwise.
684  *
685  * @see \ref zombie
686  */
687 int is_zombie(struct Client *cptr, struct Channel *chptr)
688 {
689   struct Membership* member;
690
691   assert(0 != chptr);
692
693   if ((member = find_member_link(chptr, cptr)))
694       return IsZombie(member);
695   return 0;
696 }
697
698 /** Returns if a user has voice on a channel.
699  *
700  * @param cptr  The client
701  * @param chptr The channel
702  *
703  * @returns True if the client (cptr) is voiced on (chptr) and is not a zombie.
704  * @see \ref zombie
705  */
706 int has_voice(struct Client* cptr, struct Channel* chptr)
707 {
708   struct Membership* member;
709
710   assert(0 != chptr);
711   if ((member = find_member_link(chptr, cptr)))
712     return (!IsZombie(member) && HasVoice(member));
713
714   return 0;
715 }
716
717 /** Can this member send to a channel
718  *
719  * A user can speak on a channel iff:
720  * <ol>
721  *  <li> They didn't use the Apass to gain ops.
722  *  <li> They are op'd or voice'd.
723  *  <li> You aren't banned.
724  *  <li> The channel isn't +m
725  *  <li> The channel isn't +n or you are on the channel.
726  * </ol>
727  *
728  * This function will optionally reveal a user on a delayed join channel if
729  * they are allowed to send to the channel.
730  *
731  * @param member        The membership of the user
732  * @param reveal        If true, the user will be "revealed" on a delayed
733  *                      joined channel.
734  *
735  * @returns True if the client can speak on the channel.
736  */
737 int member_can_send_to_channel(struct Membership* member, int reveal)
738 {
739   assert(0 != member);
740
741   /* Do not check for users on other servers: This should be a
742    * temporary desynch, or maybe they are on an older server, but
743    * we do not want to send ERR_CANNOTSENDTOCHAN more than once.
744    * Also allow XtraOps to be always able to speak.
745    */
746   if (!MyUser(member->user) || IsXtraOp(member->user))
747   {
748     if (IsDelayedJoin(member) && !IsInvisibleJoin(member) && reveal)
749       RevealDelayedJoin(member);
750     return 1;
751   }
752
753   /* Discourage using the Apass to get op.  They should use the Upass. */
754   if (IsChannelManager(member) && member->channel->mode.apass[0])
755     return 0;
756
757   /* If you have voice or ops, you can speak. */
758   if (IsVoicedOrOpped(member))
759     return 1;
760
761   /*
762    * If it's moderated, and you aren't a privileged user, you can't
763    * speak.
764    */
765   if (member->channel->mode.mode & MODE_MODERATED)
766     return 0;
767
768   /* If only logged in users may join and you're not one, you can't speak. */
769   if (member->channel->mode.mode & MODE_REGONLY && !IsAccount(member->user))
770     return 0;
771
772   /* If you're banned then you can't speak either. */
773   if (is_banned(member))
774     return 0;
775
776   if (IsDelayedJoin(member) && reveal && !IsInvisibleJoin(member))
777     RevealDelayedJoin(member);
778
779   return 1;
780 }
781
782 /** Check if a client can send to a channel.
783  *
784  * Has the added check over member_can_send_to_channel() of servers can
785  * always speak.
786  *
787  * @param cptr  The client to check
788  * @param chptr The channel to check
789  * @param reveal If the user should be revealed (see 
790  *              member_can_send_to_channel())
791  *
792  * @returns true if the client is allowed to speak on the channel, false 
793  *              otherwise
794  *
795  * @see member_can_send_to_channel()
796  */
797 int client_can_send_to_channel(struct Client *cptr, struct Channel *chptr, int reveal)
798 {
799   struct Membership *member;
800   assert(0 != cptr); 
801   /*
802    * Servers and extra ops can always speak on channels.
803    */
804   if (IsServer(cptr) || IsXtraOp(cptr))
805     return 1;
806
807   member = find_channel_member(cptr, chptr);
808
809   /*
810    * You can't speak if you're off channel, and it is +n (no external messages)
811    * or +m (moderated).
812    */
813   if (!member) {
814     if ((chptr->mode.mode & (MODE_NOPRIVMSGS|MODE_MODERATED)) ||
815         ((chptr->mode.mode & MODE_REGONLY) && !IsAccount(cptr)) ||
816     ((chptr->mode.mode & MODE_SSLCHAN) && !IsSSL(cptr)))
817       return 0;
818     else
819       return !find_ban(cptr, chptr->banlist);
820   }
821   return member_can_send_to_channel(member, reveal);
822 }
823
824 /** Returns the name of a channel that prevents the user from changing nick.
825  * if a member and not (opped or voiced) and (banned or moderated), return
826  * the name of the first channel banned on.
827  *
828  * @param cptr  The client
829  * @param new_nick The new nick of the client
830  *
831  * @returns the name of the first channel banned on, or NULL if the user
832  *          can change nicks.
833  */
834 const char* find_no_nickchange_channel(struct Client* cptr, const char *new_nick)
835 {
836   if (MyUser(cptr)) {
837     struct Membership* member;
838     for (member = (cli_user(cptr))->channel; member;
839          member = member->next_channel) {
840       if (IsVoicedOrOpped(member))
841         continue;
842       if ((member->channel->mode.mode & MODE_MODERATED)
843           || (member->channel->mode.mode & MODE_REGONLY && !IsAccount(cptr))
844           || (member->channel->mode.mode & MODE_SSLCHAN && !IsSSL(cptr))
845           || is_banned(member) || (new_nick && is_banned_with_nick(member, new_nick)))
846         return member->channel->chname;
847     }
848   }
849   return 0;
850 }
851
852
853 /** Fill mbuf/pbuf with modes from chptr
854  * write the "simple" list of channel modes for channel chptr onto buffer mbuf
855  * with the parameters in pbuf as visible by cptr.
856  *
857  * This function will hide keys from non-op'd, non-server clients.
858  *
859  * @param cptr  The client to generate the mode for.
860  * @param mbuf  The buffer to write the modes into.
861  * @param pbuf  The buffer to write the mode parameters into.
862  * @param buflen The length of the buffers.
863  * @param chptr The channel to get the modes from.
864  * @param member The membership of this client on this channel (or NULL
865  *              if this client isn't on this channel)
866  *
867  */
868 void channel_modes(struct Client *cptr, char *mbuf, char *pbuf, int buflen,
869                           struct Channel *chptr, struct Membership *member)
870 {
871   int previous_parameter = 0;
872
873   assert(0 != mbuf);
874   assert(0 != pbuf);
875   assert(0 != chptr);
876
877   *mbuf++ = '+';
878   if (chptr->mode.mode & MODE_SECRET)
879     *mbuf++ = 's';
880   else if (chptr->mode.mode & MODE_PRIVATE)
881     *mbuf++ = 'p';
882   if (chptr->mode.mode & MODE_MODERATED)
883     *mbuf++ = 'm';
884   if (chptr->mode.mode & MODE_TOPICLIMIT)
885     *mbuf++ = 't';
886   if (chptr->mode.mode & MODE_INVITEONLY)
887     *mbuf++ = 'i';
888   if (chptr->mode.mode & MODE_NOPRIVMSGS)
889     *mbuf++ = 'n';
890   if (chptr->mode.mode & MODE_REGONLY)
891     *mbuf++ = 'r';
892   if (chptr->mode.mode & MODE_DELJOINS)
893     *mbuf++ = 'D';
894   else if (MyUser(cptr) && (chptr->mode.mode & MODE_WASDELJOINS))
895     *mbuf++ = 'd';
896   if (chptr->mode.mode & MODE_NOCOLOUR)
897     *mbuf++ = 'c';
898   if (chptr->mode.mode & MODE_NOCTCP)
899     *mbuf++ = 'C';
900   if (chptr->mode.mode & MODE_PERSIST)
901     *mbuf++ = 'z';
902   if (chptr->mode.mode & MODE_REGISTERED)
903     *mbuf++ = 'R';
904   if (chptr->mode.mode & MODE_NONOTICE)
905     *mbuf++ = 'N';
906   if (chptr->mode.mode & MODE_NOAMSGS)
907     *mbuf++ = 'M';
908   if (chptr->mode.mode & MODE_QUARANTINE)
909     *mbuf++ = 'Q';
910   if (chptr->mode.mode & MODE_AUDITORIUM)
911     *mbuf++ = 'u';
912   if (chptr->mode.mode & MODE_SSLCHAN)
913     *mbuf++ = 'S';
914   if (chptr->mode.limit) {
915     *mbuf++ = 'l';
916     ircd_snprintf(0, pbuf, buflen, "%u", chptr->mode.limit);
917     previous_parameter = 1;
918   }
919   if (chptr->mode.access) {
920     *mbuf++ = 'a';
921     if (previous_parameter)
922       strcat(pbuf, " ");
923     ircd_snprintf(0, pbuf, buflen, "%u", chptr->mode.access);
924     previous_parameter = 1;
925   }
926   if (*chptr->mode.altchan) {
927     *mbuf++ = 'F';
928     if (previous_parameter)
929       strcat(pbuf, " ");
930     strcat(pbuf, chptr->mode.altchan);
931     previous_parameter = 1;
932   }
933   if (*chptr->mode.noflood) {
934     *mbuf++ = 'f';
935     if (previous_parameter)
936       strcat(pbuf, " ");
937     strcat(pbuf, chptr->mode.noflood);
938     previous_parameter = 1;
939   }
940   if (*chptr->mode.key) {
941     *mbuf++ = 'k';
942     if (previous_parameter)
943       strcat(pbuf, " ");
944     if ((member && IsChanOpOrHalfOp(member)) || IsServer(cptr) || IsOper(cptr)) {
945       strcat(pbuf, chptr->mode.key);
946     } else
947       strcat(pbuf, "*");
948     previous_parameter = 1;
949   }
950   if (*chptr->mode.apass) {
951     *mbuf++ = 'A';
952     if (previous_parameter)
953       strcat(pbuf, " ");
954     if (IsServer(cptr) || IsOper(cptr)) {
955       strcat(pbuf, chptr->mode.apass);
956     } else
957       strcat(pbuf, "*");
958     previous_parameter = 1;
959   }
960   if (*chptr->mode.upass) {
961     *mbuf++ = 'U';
962     if (previous_parameter)
963       strcat(pbuf, " ");
964     if (IsServer(cptr) || (member && IsChanOpOrHalfOp(member) && OpLevel(member) == 0) || IsOper(cptr)) {
965       strcat(pbuf, chptr->mode.upass);
966     } else
967       strcat(pbuf, "*");
968   }
969   *mbuf = '\0';
970 }
971
972 /** Compare two members oplevel
973  *
974  * @param mp1   Pointer to a pointer to a membership
975  * @param mp2   Pointer to a pointer to a membership
976  *
977  * @returns 0 if equal, -1 if mp1 is lower, +1 otherwise.
978  *
979  * Used for qsort(3).
980  */
981 int compare_member_oplevel(const void *mp1, const void *mp2)
982 {
983   struct Membership const* member1 = *(struct Membership const**)mp1;
984   struct Membership const* member2 = *(struct Membership const**)mp2;
985   if (member1->oplevel == member2->oplevel)
986     return 0;
987   return (member1->oplevel < member2->oplevel) ? -1 : 1;
988 }
989
990 /* send "cptr" a full list of the modes for channel chptr.
991  *
992  * Sends a BURST line to cptr, bursting all the modes for the channel.
993  *
994  * @param cptr  Client pointer
995  * @param chptr Channel pointer
996  */
997 void send_channel_modes(struct Client *cptr, struct Channel *chptr)
998 {
999   /* The order in which modes are generated is now mandatory */
1000   static unsigned int current_flags[8] =
1001       { 0, CHFL_VOICE, CHFL_HALFOP, CHFL_VOICE | CHFL_HALFOP, CHFL_CHANOP, CHFL_CHANOP | CHFL_VOICE, CHFL_CHANOP | CHFL_HALFOP, CHFL_CHANOP | CHFL_VOICE | CHFL_HALFOP };
1002   int                first = 1;
1003   int                full  = 1;
1004   int                flag_cnt = 0;
1005   int                new_mode = 0;
1006   size_t             len;
1007   struct Membership* member;
1008   struct Ban*        lp2;
1009   char modebuf[MODEBUFLEN];
1010   char parabuf[MODEBUFLEN];
1011   struct MsgBuf *mb;
1012   int                 number_of_ops = 0;
1013   int                 opped_members_index = 0;
1014   struct Membership** opped_members = NULL;
1015   int                 last_oplevel = 0;
1016   int                 send_oplevels = 0;
1017
1018   assert(0 != cptr);
1019   assert(0 != chptr); 
1020
1021   if (IsLocalChannel(chptr->chname))
1022     return;
1023
1024   member = chptr->members;
1025   lp2 = chptr->banlist;
1026
1027   *modebuf = *parabuf = '\0';
1028   channel_modes(cptr, modebuf, parabuf, sizeof(parabuf), chptr, 0);
1029
1030   for (first = 1; full; first = 0)      /* Loop for multiple messages */
1031   {
1032     full = 0;                   /* Assume by default we get it
1033                                  all in one message */
1034
1035     /* (Continued) prefix: "<Y> B <channel> <TS>" */
1036     /* is there any better way we can do this? */
1037     mb = msgq_make(&me, "%C " TOK_BURST " %H %Tu", &me, chptr,
1038                    chptr->creationtime);
1039
1040     if (first && modebuf[1])    /* Add simple modes (Aiklmnpstu)
1041                                  if first message */
1042     {
1043       /* prefix: "<Y> B <channel> <TS>[ <modes>[ <params>]]" */
1044       msgq_append(&me, mb, " %s", modebuf);
1045
1046       if (*parabuf)
1047         msgq_append(&me, mb, " %s", parabuf);
1048     }
1049
1050     /*
1051      * Attach nicks, comma separated " nick[:modes],nick[:modes],..."
1052      *
1053      * First find all opless members.
1054      * Run 2 times over all members, to group the members with
1055      * and without voice together.
1056      * Then run 2 times over all opped members (which are ordered
1057      * by op-level) to also group voice and non-voice together.
1058      */
1059     for (first = 1; flag_cnt < 8; new_mode = 1, ++flag_cnt)
1060     {
1061       while (member)
1062       {
1063         if (flag_cnt < 2 && IsChanOp(member))
1064         {
1065           /*
1066            * The first loop (to find all non-voice/op), we count the ops.
1067            * The second loop (to find all voiced non-ops), store the ops
1068            * in a dynamic array.
1069            */
1070           if (flag_cnt == 0)
1071             ++number_of_ops;
1072           else
1073             opped_members[opped_members_index++] = member;
1074           /* We also send oplevels if anyone is below the weakest level.  */
1075           if (OpLevel(member) < MAXOPLEVEL)
1076             send_oplevels = 1;
1077         }
1078         /* Only handle the members with the flags that we are interested in. */
1079         if ((member->status & CHFL_VOICED_OR_OPPED) == current_flags[flag_cnt])
1080         {
1081           if (msgq_bufleft(mb) < NUMNICKLEN + 3 + MAXOPLEVELDIGITS)
1082             /* The 3 + MAXOPLEVELDIGITS is a possible ",:v999". */
1083           {
1084             full = 1;           /* Make sure we continue after
1085                                    sending it so far */
1086             /* Ensure the new BURST line contains the current
1087              * ":mode", except when there is no mode yet. */
1088             new_mode = (flag_cnt > 0) ? 1 : 0;
1089             break;              /* Do not add this member to this message */
1090           }
1091           msgq_append(&me, mb, "%c%C", first ? ' ' : ',', member->user);
1092           first = 0;              /* From now on, use commas to add new nicks */
1093
1094           /*
1095            * Do we have a nick with a new mode ?
1096            * Or are we starting a new BURST line?
1097            */
1098           if (new_mode)
1099           {
1100             /*
1101              * This means we are at the _first_ member that has only
1102              * voice, or the first member that has only ops, or the
1103              * first member that has voice and ops (so we get here
1104              * at most three times, plus once for every start of
1105              * a continued BURST line where only these modes is current.
1106              * In the two cases where the current mode includes ops,
1107              * we need to add the _absolute_ value of the oplevel to the mode.
1108              */
1109             char tbuf[3 + MAXOPLEVELDIGITS] = ":";
1110             int loc = 1;
1111
1112             if (HasVoice(member))       /* flag_cnt == 1 or 3 */
1113               tbuf[loc++] = 'v';
1114         if (IsHalfOp(member))
1115               tbuf[loc++] = 'h';
1116             if (IsChanOp(member))       /* flag_cnt == 2 or 3 */
1117             {
1118               /* append the absolute value of the oplevel */
1119               if (send_oplevels)
1120                 loc += ircd_snprintf(0, tbuf + loc, sizeof(tbuf) - loc, "%u", last_oplevel = member->oplevel);
1121               else
1122                 tbuf[loc++] = 'o';
1123             }
1124             tbuf[loc] = '\0';
1125             msgq_append(&me, mb, tbuf);
1126             new_mode = 0;
1127           }
1128           else if (send_oplevels && flag_cnt > 1 && last_oplevel != member->oplevel)
1129           {
1130             /*
1131              * This can't be the first member of a (continued) BURST
1132              * message because then either flag_cnt == 0 or new_mode == 1
1133              * Now we need to append the incremental value of the oplevel.
1134              */
1135             char tbuf[2 + MAXOPLEVELDIGITS];
1136             ircd_snprintf(0, tbuf, sizeof(tbuf), ":%u", member->oplevel - last_oplevel);
1137             last_oplevel = member->oplevel;
1138             msgq_append(&me, mb, tbuf);
1139           }
1140         }
1141         /* Go to the next `member'. */
1142         if (flag_cnt < 2 || !(current_flags[flag_cnt] & CHFL_CHANOP))
1143           member = member->next_member;
1144         else
1145           member = opped_members[++opped_members_index];
1146       }
1147       if (full)
1148         break;
1149
1150       /* Point `member' at the start of the list again. */
1151       if (flag_cnt == 0)
1152       {
1153         /* Now, after one loop, we know the number of ops and can
1154          * allocate the dynamic array with pointer to the ops. */
1155         opped_members = (struct Membership**)
1156           MyMalloc((number_of_ops + 1) * sizeof(struct Membership*));
1157         opped_members[number_of_ops] = NULL;    /* Needed for loop termination */
1158       }
1159       else
1160       {
1161         /* At the end of the second loop, sort the opped members with
1162          * increasing op-level, so that we will output them in the
1163          * correct order (and all op-level increments stay positive) */
1164         if (flag_cnt == 1)
1165           qsort(opped_members, number_of_ops,
1166                 sizeof(struct Membership*), compare_member_oplevel);
1167       }
1168       if(!(current_flags[flag_cnt+1] & CHFL_CHANOP)) {
1169         member = chptr->members;
1170       } else
1171         member = opped_members[(opped_members_index = 0)];
1172       
1173     } /* loop over 0,+v,+o,+ov */
1174
1175     if (!full)
1176     {
1177       /* Attach all bans, space separated " :%ban ban ..." */
1178       for (first = 2; lp2; lp2 = lp2->next)
1179       {
1180         len = strlen(lp2->banstr);
1181         if (msgq_bufleft(mb) < len + 1 + first)
1182           /* The +1 stands for the added ' '.
1183            * The +first stands for the added ":%".
1184            */
1185         {
1186           full = 1;
1187           break;
1188         }
1189         msgq_append(&me, mb, " %s%s", first ? ":%" : "",
1190                     lp2->banstr);
1191         first = 0;
1192       }
1193     }
1194
1195     send_buffer(cptr, mb, 0);  /* Send this message */
1196     msgq_clean(mb);
1197   }                             /* Continue when there was something
1198                                  that didn't fit (full==1) */
1199   if (opped_members)
1200     MyFree(opped_members);
1201   if (feature_bool(FEAT_TOPIC_BURST) && (chptr->topic[0] != '\0'))
1202       sendcmdto_one(&me, CMD_TOPIC, cptr, "%H %Tu %Tu :%s", chptr,
1203                     chptr->creationtime, chptr->topic_time, chptr->topic);
1204 }
1205
1206 /** Canonify a mask.
1207  * pretty_mask
1208  *
1209  * @author Carlo Wood (Run), 
1210  * 05 Oct 1998.
1211  *
1212  * When the nick is longer then NICKLEN, it is cut off (its an error of course).
1213  * When the user name or host name are too long (USERLEN and HOSTLEN
1214  * respectively) then they are cut off at the start with a '*'.
1215  *
1216  * The following transformations are made:
1217  *
1218  * 1)   xxx             -> nick!*@*
1219  * 2)   xxx.xxx         -> *!*\@host
1220  * 3)   xxx\!yyy         -> nick!user\@*
1221  * 4)   xxx\@yyy         -> *!user\@host
1222  * 5)   xxx!yyy\@zzz     -> nick!user\@host
1223  *
1224  * @param mask  The uncanonified mask.
1225  * @returns The updated mask in a static buffer.
1226  */
1227 char *pretty_mask(char *mask)
1228 {
1229   static char star[2] = { '*', 0 };
1230   static char retmask[NICKLEN + USERLEN + HOSTLEN + 3];
1231   char *last_dot = NULL;
1232   char *ptr;
1233
1234   /* Case 1: default */
1235   char *nick = mask;
1236   char *user = star;
1237   char *host = star;
1238
1239   /* Do a _single_ pass through the characters of the mask: */
1240   for (ptr = mask; *ptr; ++ptr)
1241   {
1242     if (*ptr == '!')
1243     {
1244       /* Case 3 or 5: Found first '!' (without finding a '@' yet) */
1245       user = ++ptr;
1246       host = star;
1247     }
1248     else if (*ptr == '@')
1249     {
1250       /* Case 4: Found last '@' (without finding a '!' yet) */
1251       nick = star;
1252       user = mask;
1253       host = ++ptr;
1254     }
1255     else if (*ptr == '.' || *ptr == ':')
1256     {
1257       /* Case 2: Found character specific to IP or hostname (without
1258        * finding a '!' or '@' yet) */
1259       last_dot = ptr;
1260       continue;
1261     }
1262     else
1263       continue;
1264     for (; *ptr; ++ptr)
1265     {
1266       if (*ptr == '@')
1267       {
1268         /* Case 4 or 5: Found last '@' */
1269         host = ptr + 1;
1270       }
1271     }
1272     break;
1273   }
1274   if (user == star && last_dot)
1275   {
1276     /* Case 2: */
1277     nick = star;
1278     user = star;
1279     host = mask;
1280   }
1281   /* Check lengths */
1282   if (nick != star)
1283   {
1284     char *nick_end = (user != star) ? user - 1 : ptr;
1285     if (nick_end - nick > NICKLEN)
1286       nick[NICKLEN] = 0;
1287     *nick_end = 0;
1288   }
1289   if (user != star)
1290   {
1291     char *user_end = (host != star) ? host - 1 : ptr;
1292     if (user_end - user > USERLEN)
1293     {
1294       user = user_end - USERLEN;
1295       *user = '*';
1296     }
1297     *user_end = 0;
1298   }
1299   if (host != star && ptr - host > HOSTLEN)
1300   {
1301     host = ptr - HOSTLEN;
1302     *host = '*';
1303   }
1304   ircd_snprintf(0, retmask, sizeof(retmask), "%s!%s@%s", nick, user, host);
1305   return retmask;
1306 }
1307
1308 /** send a banlist to a client for a channel
1309  *
1310  * @param cptr  Client to send the banlist to.
1311  * @param chptr Channel whose banlist to send.
1312  */
1313 static void send_ban_list(struct Client* cptr, struct Channel* chptr)
1314 {
1315   struct Ban* lp;
1316
1317   assert(0 != cptr);
1318   assert(0 != chptr);
1319
1320   for (lp = chptr->banlist; lp; lp = lp->next)
1321     send_reply(cptr, RPL_BANLIST, chptr->chname, lp->banstr, lp->who, lp->when);
1322
1323   send_reply(cptr, RPL_ENDOFBANLIST, chptr->chname);
1324 }
1325
1326 /** Get a channel block, creating if necessary.
1327  *  Get Channel block for chname (and allocate a new channel
1328  *  block, if it didn't exists before).
1329  *
1330  * @param cptr          Client joining the channel.
1331  * @param chname        The name of the channel to join.
1332  * @param flag          set to CGT_CREATE to create the channel if it doesn't 
1333  *                      exist
1334  *
1335  * @returns NULL if the channel is invalid, doesn't exist and CGT_CREATE 
1336  *      wasn't specified or a pointer to the channel structure
1337  */
1338 struct Channel *get_channel(struct Client *cptr, char *chname, ChannelGetType flag)
1339 {
1340   struct Channel *chptr;
1341   int len;
1342
1343   if (EmptyString(chname))
1344     return NULL;
1345
1346   len = strlen(chname);
1347   if (MyUser(cptr) && len > CHANNELLEN)
1348   {
1349     len = CHANNELLEN;
1350     *(chname + CHANNELLEN) = '\0';
1351   }
1352   if ((chptr = FindChannel(chname)))
1353     return (chptr);
1354   if (flag == CGT_CREATE)
1355   {
1356     chptr = (struct Channel*) MyMalloc(sizeof(struct Channel) + len);
1357     assert(0 != chptr);
1358     ++UserStats.channels;
1359     memset(chptr, 0, sizeof(struct Channel));
1360     strcpy(chptr->chname, chname);
1361     if (GlobalChannelList)
1362       GlobalChannelList->prev = chptr;
1363     chptr->prev = NULL;
1364     chptr->next = GlobalChannelList;
1365     chptr->creationtime = MyUser(cptr) ? TStime() : (time_t) 0;
1366     GlobalChannelList = chptr;
1367     hAddChannel(chptr);
1368   }
1369   return chptr;
1370 }
1371
1372 /** invite a user to a channel.
1373  *
1374  * Adds an invite for a user to a channel.  Limits the number of invites
1375  * to FEAT_MAXCHANNELSPERUSER.  Does not sent notification to the user.
1376  *
1377  * @param cptr  The client to be invited.
1378  * @param chptr The channel to be invited to.
1379  */
1380 void add_invite(struct Client *cptr, struct Channel *chptr)
1381 {
1382   struct SLink *inv, **tmp;
1383   unsigned int maxchans;
1384
1385   del_invite(cptr, chptr);
1386   /*
1387    * Delete last link in chain if the list is max length
1388    */
1389   assert(list_length((cli_user(cptr))->invited) == (cli_user(cptr))->invites);
1390   maxchans = cli_confs(cptr)->value.aconf ? ConfMaxChannels(cli_confs(cptr)->value.aconf) : feature_int(FEAT_MAXCHANNELSPERUSER);
1391   if (((cli_user(cptr))->invites >= maxchans && !HasPriv(cptr, PRIV_CHAN_LIMIT)) || cli_user(cptr)->invites > 100) /* Hard limit of 100. */
1392     del_invite(cptr, (cli_user(cptr))->invited->value.chptr);
1393   /*
1394    * Add client to channel invite list
1395    */
1396   inv = make_link();
1397   inv->value.cptr = cptr;
1398   inv->next = chptr->invites;
1399   chptr->invites = inv;
1400   /*
1401    * Add channel to the end of the client invite list
1402    */
1403   for (tmp = &((cli_user(cptr))->invited); *tmp; tmp = &((*tmp)->next));
1404   inv = make_link();
1405   inv->value.chptr = chptr;
1406   inv->next = NULL;
1407   (*tmp) = inv;
1408   (cli_user(cptr))->invites++;
1409 }
1410
1411 /** Delete an invite
1412  * Delete Invite block from channel invite list and client invite list
1413  *
1414  * @param cptr  Client pointer
1415  * @param chptr Channel pointer
1416  */
1417 void del_invite(struct Client *cptr, struct Channel *chptr)
1418 {
1419   struct SLink **inv, *tmp;
1420
1421   for (inv = &(chptr->invites); (tmp = *inv); inv = &tmp->next)
1422     if (tmp->value.cptr == cptr)
1423     {
1424       *inv = tmp->next;
1425       free_link(tmp);
1426       tmp = 0;
1427       (cli_user(cptr))->invites--;
1428       break;
1429     }
1430
1431   for (inv = &((cli_user(cptr))->invited); (tmp = *inv); inv = &tmp->next)
1432     if (tmp->value.chptr == chptr)
1433     {
1434       *inv = tmp->next;
1435       free_link(tmp);
1436       tmp = 0;
1437       break;
1438     }
1439 }
1440
1441 /** @page zombie Explanation of Zombies
1442  *
1443  * Synopsis:
1444  *
1445  * A channel member is turned into a zombie when he is kicked from a
1446  * channel but his server has not acknowledged the kick.  Servers that
1447  * see the member as a zombie can accept actions he performed before
1448  * being kicked, without allowing chanop operations from outsiders or
1449  * desyncing the network.
1450  *
1451  * Consider:
1452  * <pre>
1453  *                     client
1454  *                       |
1455  *                       c
1456  *                       |
1457  *     X --a--> A --b--> B --d--> D
1458  *                       |
1459  *                      who
1460  * </pre>
1461  *
1462  * Where `who' is being KICK-ed by a "KICK" message received by server 'A'
1463  * via 'a', or on server 'B' via either 'b' or 'c', or on server D via 'd'.
1464  *
1465  * a) On server A : set CHFL_ZOMBIE for `who' (lp) and pass on the KICK.
1466  *    Remove the user immediately when no users are left on the channel.
1467  * b) On server B : remove the user (who/lp) from the channel, send a
1468  *    PART upstream (to A) and pass on the KICK.
1469  * c) KICKed by `client'; On server B : remove the user (who/lp) from the
1470  *    channel, and pass on the KICK.
1471  * d) On server D : remove the user (who/lp) from the channel, and pass on
1472  *    the KICK.
1473  *
1474  * Note:
1475  * - Setting the ZOMBIE flag never hurts, we either remove the
1476  *   client after that or we don't.
1477  * - The KICK message was already passed on, as should be in all cases.
1478  * - `who' is removed in all cases except case a) when users are left.
1479  * - A PART is only sent upstream in case b).
1480  *
1481  * 2 aug 97:
1482  * <pre>
1483  *              6
1484  *              |
1485  *  1 --- 2 --- 3 --- 4 --- 5
1486  *        |           |
1487  *      kicker       who
1488  * </pre>
1489  *
1490  * We also need to turn 'who' into a zombie on servers 1 and 6,
1491  * because a KICK from 'who' (kicking someone else in that direction)
1492  * can arrive there afterward - which should not be bounced itself.
1493  * Therefore case a) also applies for servers 1 and 6.
1494  *
1495  * --Run
1496  */
1497
1498 /** Turn a user on a channel into a zombie
1499  * This function turns a user into a zombie (see \ref zombie)
1500  *
1501  * @param member  The structure representing this user on this channel.
1502  * @param who     The client that is being kicked.
1503  * @param cptr    The connection the kick came from.
1504  * @param sptr    The client that is doing the kicking.
1505  * @param chptr   The channel the user is being kicked from.
1506  */
1507 void make_zombie(struct Membership* member, struct Client* who, 
1508                 struct Client* cptr, struct Client* sptr, struct Channel* chptr)
1509 {
1510   assert(0 != member);
1511   assert(0 != who);
1512   assert(0 != cptr);
1513   assert(0 != chptr);
1514
1515   /* Default for case a): */
1516   SetZombie(member);
1517
1518   /* Case b) or c) ?: */
1519   if (MyUser(who))      /* server 4 */
1520   {
1521     if (IsServer(cptr)) /* Case b) ? */
1522       sendcmdto_one(who, CMD_PART, cptr, "%H", chptr);
1523     remove_user_from_channel(who, chptr);
1524     return;
1525   }
1526   if (cli_from(who) == cptr)        /* True on servers 1, 5 and 6 */
1527   {
1528     struct Client *acptr = IsServer(sptr) ? sptr : (cli_user(sptr))->server;
1529     for (; acptr != &me; acptr = (cli_serv(acptr))->up)
1530       if (acptr == (cli_user(who))->server)   /* Case d) (server 5) */
1531       {
1532         remove_user_from_channel(who, chptr);
1533         return;
1534       }
1535   }
1536
1537   /* Case a) (servers 1, 2, 3 and 6) */
1538   if (channel_all_zombies(chptr))
1539     remove_user_from_channel(who, chptr);
1540
1541   /* XXX Can't actually call Debug here; if the channel is all zombies,
1542    * chptr will no longer exist when we get here.
1543   Debug((DEBUG_INFO, "%s is now a zombie on %s", who->name, chptr->chname));
1544   */
1545 }
1546
1547 /** returns the number of zombies on a channel
1548  * @param chptr Channel to count zombies in.
1549  *
1550  * @returns The number of zombies on the channel.
1551  */
1552 int number_of_zombies(struct Channel *chptr)
1553 {
1554   struct Membership* member;
1555   int                count = 0;
1556
1557   assert(0 != chptr);
1558   for (member = chptr->members; member; member = member->next_member) {
1559     if (IsZombie(member))
1560       ++count;
1561   }
1562   return count;
1563 }
1564
1565 /** Concatenate some strings together.
1566  * This helper function builds an argument string in strptr, consisting
1567  * of the original string, a space, and str1 and str2 concatenated (if,
1568  * of course, str2 is not NULL)
1569  *
1570  * @param strptr        The buffer to concatenate into
1571  * @param strptr_i      modified offset to the position to modify
1572  * @param str1          The string to concatenate from.
1573  * @param str2          The second string to contatenate from.
1574  * @param c             Charactor to separate the string from str1 and str2.
1575  */
1576 static void
1577 build_string(char *strptr, int *strptr_i, const char *str1,
1578              const char *str2, char c)
1579 {
1580   if (c)
1581     strptr[(*strptr_i)++] = c;
1582
1583   while (*str1)
1584     strptr[(*strptr_i)++] = *(str1++);
1585
1586   if (str2)
1587     while (*str2)
1588       strptr[(*strptr_i)++] = *(str2++);
1589
1590   strptr[(*strptr_i)] = '\0';
1591 }
1592
1593 /** Flush out the modes
1594  * This is the workhorse of our ModeBuf suite; this actually generates the
1595  * output MODE commands, HACK notices, or whatever.  It's pretty complicated.
1596  *
1597  * @param mbuf  The mode buffer to flush
1598  * @param all   If true, flush all modes, otherwise leave partial modes in the
1599  *              buffer.
1600  *
1601  * @returns 0
1602  */
1603 static int
1604 modebuf_flush_int(struct ModeBuf *mbuf, int all)
1605 {
1606   /* we only need the flags that don't take args right now */
1607   static ulong64 flags[] = {
1608 /*  MODE_CHANOP,        'o', */
1609 /*  MODE_VOICE,         'v', */
1610     MODE_PRIVATE,       'p',
1611     MODE_SECRET,        's',
1612     MODE_MODERATED,     'm',
1613     MODE_TOPICLIMIT,    't',
1614     MODE_INVITEONLY,    'i',
1615     MODE_NOPRIVMSGS,    'n',
1616     MODE_REGONLY,       'r',
1617     MODE_DELJOINS,      'D',
1618     MODE_REGISTERED,    'R',
1619 /*  MODE_KEY,           'k', */
1620 /*  MODE_BAN,           'b', */
1621     MODE_LIMIT,         'l',
1622 /*  MODE_APASS,         'A', */
1623 /*  MODE_UPASS,         'U', */
1624     MODE_PERSIST,       'z',
1625     MODE_NOCOLOUR,  'c',
1626     MODE_NOCTCP,    'C',
1627 /*  MODE_ALTCHAN,   'F', */
1628 /*  MODE_NOFLOOD,   'f', */
1629     MODE_ACCESS,    'a',
1630     MODE_NOAMSGS,   'M',
1631         MODE_NONOTICE,  'N',
1632         MODE_QUARANTINE,  'Q',
1633         MODE_AUDITORIUM,  'u',
1634     MODE_SSLCHAN,     'S',
1635     0x0, 0x0
1636   };
1637   static ulong64 local_flags[] = {
1638     MODE_WASDELJOINS,   'd',
1639     0x0, 0x0
1640   };
1641   int i;
1642   ulong64 *flag_p;
1643
1644   struct Client *app_source; /* where the MODE appears to come from */
1645
1646   char addbuf[20], addbuf_local[20]; /* accumulates +psmtin, etc. */
1647   int addbuf_i = 0, addbuf_local_i = 0;
1648   char rembuf[20], rembuf_local[20]; /* accumulates -psmtin, etc. */
1649   int rembuf_i = 0, rembuf_local_i = 0;
1650   char *bufptr; /* we make use of indirection to simplify the code */
1651   int *bufptr_i;
1652
1653   char addstr[BUFSIZE]; /* accumulates MODE parameters to add */
1654   int addstr_i;
1655   char remstr[BUFSIZE]; /* accumulates MODE parameters to remove */
1656   int remstr_i;
1657   char *strptr; /* more indirection to simplify the code */
1658   int *strptr_i;
1659
1660   int totalbuflen = BUFSIZE - 200; /* fuzz factor -- don't overrun buffer! */
1661   int tmp;
1662
1663   char limitbuf[20],accessbuf[20]; /* convert limits to strings */
1664
1665   ulong64 limitdel = MODE_LIMIT;
1666   ulong64 accessdel = MODE_ACCESS;
1667
1668   assert(0 != mbuf);
1669
1670   /* If the ModeBuf is empty, we have nothing to do */
1671   if (mbuf->mb_add == 0 && mbuf->mb_rem == 0 && mbuf->mb_count == 0)
1672     return 0;
1673
1674   /* Ok, if we were given the OPMODE flag, or its a server, hide the source.
1675    */
1676   if (feature_bool(FEAT_HIS_MODEWHO) &&
1677       (mbuf->mb_dest & MODEBUF_DEST_OPMODE ||
1678        IsServer(mbuf->mb_source) ||
1679        IsMe(mbuf->mb_source)))
1680     app_source = &his;
1681   else
1682     app_source = mbuf->mb_source;
1683
1684   /*
1685    * Account for user we're bouncing; we have to get it in on the first
1686    * bounced MODE, or we could have problems
1687    */
1688   if (mbuf->mb_dest & MODEBUF_DEST_DEOP)
1689     totalbuflen -= 6; /* numeric nick == 5, plus one space */
1690
1691   /* Calculate the simple flags */
1692   for (flag_p = flags; flag_p[0]; flag_p += 2) {
1693     if (*flag_p & mbuf->mb_add)
1694       addbuf[addbuf_i++] = flag_p[1];
1695     else if (*flag_p & mbuf->mb_rem)
1696       rembuf[rembuf_i++] = flag_p[1];
1697   }
1698
1699   /* Some flags may be for local display only. */
1700   for (flag_p = local_flags; flag_p[0]; flag_p += 2) {
1701     if (*flag_p & mbuf->mb_add)
1702       addbuf_local[addbuf_local_i++] = flag_p[1];
1703     else if (*flag_p & mbuf->mb_rem)
1704       rembuf_local[rembuf_local_i++] = flag_p[1];
1705   }
1706
1707   /* Now go through the modes with arguments... */
1708   for (i = 0; i < mbuf->mb_count; i++) {
1709     if (MB_TYPE(mbuf, i) & MODE_ADD) { /* adding or removing? */
1710       bufptr = addbuf;
1711       bufptr_i = &addbuf_i;
1712     } else {
1713       bufptr = rembuf;
1714       bufptr_i = &rembuf_i;
1715     }
1716
1717     if (MB_TYPE(mbuf, i) & (MODE_CHANOP | MODE_HALFOP | MODE_VOICE)) {
1718       tmp = strlen(cli_name(MB_CLIENT(mbuf, i)));
1719
1720       if ((totalbuflen - IRCD_MAX(9, tmp)) <= 0) /* don't overflow buffer */
1721         MB_TYPE(mbuf, i) |= MODE_SAVE; /* save for later */
1722       else {
1723         if((MB_TYPE(mbuf, i) & MODE_CHANOP))
1724           bufptr[(*bufptr_i)++] = 'o';
1725         else if((MB_TYPE(mbuf, i) & MODE_HALFOP))
1726           bufptr[(*bufptr_i)++] = 'h';
1727         else
1728           bufptr[(*bufptr_i)++] = 'v';
1729         totalbuflen -= IRCD_MAX(9, tmp) + 1;
1730       }
1731     } else if (MB_TYPE(mbuf, i) & (MODE_BAN | MODE_APASS | MODE_UPASS | MODE_ALTCHAN | MODE_NOFLOOD)) {
1732       tmp = strlen(MB_STRING(mbuf, i));
1733
1734       if ((totalbuflen - tmp) <= 0) /* don't overflow buffer */
1735         MB_TYPE(mbuf, i) |= MODE_SAVE; /* save for later */
1736       else {
1737         char mode_char;
1738         switch(MB_TYPE(mbuf, i) & (MODE_BAN | MODE_APASS | MODE_UPASS | MODE_ALTCHAN | MODE_NOFLOOD))
1739         {
1740           case MODE_APASS:
1741             mode_char = 'A';
1742             break;
1743           case MODE_UPASS:
1744             mode_char = 'U';
1745             break;
1746       case MODE_ALTCHAN:
1747                 mode_char = 'F';
1748                 break;
1749           case MODE_NOFLOOD:
1750                 mode_char = 'f';
1751                 break;
1752           default:
1753             mode_char = 'b';
1754             break;
1755         }
1756         bufptr[(*bufptr_i)++] = mode_char;
1757         totalbuflen -= tmp + 1;
1758       }
1759     } else if (MB_TYPE(mbuf, i) & MODE_KEY) {
1760       tmp = (mbuf->mb_dest & MODEBUF_DEST_NOKEY ? 1 :
1761              strlen(MB_STRING(mbuf, i)));
1762
1763       if ((totalbuflen - tmp) <= 0) /* don't overflow buffer */
1764         MB_TYPE(mbuf, i) |= MODE_SAVE; /* save for later */
1765       else {
1766         bufptr[(*bufptr_i)++] = 'k';
1767         totalbuflen -= tmp + 1;
1768       }
1769     } else if (MB_TYPE(mbuf, i) & (MODE_LIMIT)) {
1770       /* if it's a limit, we also format the number */
1771       ircd_snprintf(0, limitbuf, sizeof(limitbuf), "%u", MB_UINT(mbuf, i));
1772
1773       tmp = strlen(limitbuf);
1774
1775       if ((totalbuflen - tmp) <= 0) /* don't overflow buffer */
1776         MB_TYPE(mbuf, i) |= MODE_SAVE; /* save for later */
1777       else {
1778         bufptr[(*bufptr_i)++] = 'l';
1779         totalbuflen -= tmp + 1;
1780       }
1781     } else if (MB_TYPE(mbuf, i) & (MODE_ACCESS)) {
1782       /* if it's a limit, we also format the number */
1783       ircd_snprintf(0, accessbuf, sizeof(accessbuf), "%u", MB_UINT(mbuf, i));
1784
1785       tmp = strlen(accessbuf);
1786
1787       if ((totalbuflen - tmp) <= 0) /* don't overflow buffer */
1788         MB_TYPE(mbuf, i) |= MODE_SAVE; /* save for later */
1789       else {
1790         bufptr[(*bufptr_i)++] = 'a';
1791         totalbuflen -= tmp + 1;
1792       }
1793     }
1794   }
1795
1796   /* terminate the mode strings */
1797   addbuf[addbuf_i] = '\0';
1798   rembuf[rembuf_i] = '\0';
1799   addbuf_local[addbuf_local_i] = '\0';
1800   rembuf_local[rembuf_local_i] = '\0';
1801
1802   /* If we're building a user visible MODE or HACK... */
1803   if (mbuf->mb_dest & (MODEBUF_DEST_CHANNEL | MODEBUF_DEST_HACK2 |
1804                        MODEBUF_DEST_HACK3   | MODEBUF_DEST_HACK4 |
1805                        MODEBUF_DEST_LOG)) {
1806     /* Set up the parameter strings */
1807     addstr[0] = '\0';
1808     addstr_i = 0;
1809     remstr[0] = '\0';
1810     remstr_i = 0;
1811
1812     for (i = 0; i < mbuf->mb_count; i++) {
1813       if (MB_TYPE(mbuf, i) & MODE_SAVE)
1814         continue;
1815
1816       if (MB_TYPE(mbuf, i) & MODE_ADD) { /* adding or removing? */
1817         strptr = addstr;
1818         strptr_i = &addstr_i;
1819       } else {
1820         strptr = remstr;
1821         strptr_i = &remstr_i;
1822       }
1823
1824       /* deal with clients... */
1825       if (MB_TYPE(mbuf, i) & (MODE_CHANOP | MODE_HALFOP | MODE_VOICE))
1826         build_string(strptr, strptr_i, cli_name(MB_CLIENT(mbuf, i)), 0, ' ');
1827
1828       /* deal with bans... */
1829       else if (MB_TYPE(mbuf, i) & (MODE_BAN))
1830         build_string(strptr, strptr_i, MB_STRING(mbuf, i), 0, ' ');
1831
1832       /* deal with keys... */
1833       else if (MB_TYPE(mbuf, i) & MODE_KEY)
1834         build_string(strptr, strptr_i, mbuf->mb_dest & MODEBUF_DEST_NOKEY ?
1835                      "*" : MB_STRING(mbuf, i), 0, ' ');
1836
1837       /* deal with invisible passwords */
1838       else if (MB_TYPE(mbuf, i) & (MODE_APASS | MODE_UPASS))
1839         build_string(strptr, strptr_i, "*", 0, ' ');
1840
1841       /*
1842        * deal with limit; note we cannot include the limit parameter if we're
1843        * removing it
1844        */
1845       else if ((MB_TYPE(mbuf, i) & (MODE_ADD | MODE_LIMIT)) ==
1846                (MODE_ADD | MODE_LIMIT))
1847         build_string(strptr, strptr_i, limitbuf, 0, ' ');
1848           else if ((MB_TYPE(mbuf, i) & (MODE_ADD | MODE_ACCESS)) ==
1849                (MODE_ADD | MODE_ACCESS))
1850         build_string(strptr, strptr_i, accessbuf, 0, ' ');
1851         
1852           else if (MB_TYPE(mbuf, i) & MODE_ALTCHAN)
1853         build_string(strptr, strptr_i, MB_STRING(mbuf, i), 0, ' ');
1854           else if ((MB_TYPE(mbuf, i) & (MODE_ADD | MODE_NOFLOOD)) ==
1855                (MODE_ADD | MODE_NOFLOOD))
1856         build_string(strptr, strptr_i, MB_STRING(mbuf, i), 0, ' ');
1857     }
1858
1859     /* send the messages off to their destination */
1860     if (mbuf->mb_dest & MODEBUF_DEST_HACK2)
1861       sendto_opmask_butone(0, SNO_HACK2, "HACK(2): %s MODE %s %s%s%s%s%s%s "
1862                            "[%Tu]",
1863                            cli_name(feature_bool(FEAT_HIS_SNOTICES) ?
1864                                     mbuf->mb_source : app_source),
1865                            mbuf->mb_channel->chname,
1866                            rembuf_i ? "-" : "", rembuf, addbuf_i ? "+" : "",
1867                            addbuf, remstr, addstr,
1868                            mbuf->mb_channel->creationtime);
1869
1870     if (mbuf->mb_dest & MODEBUF_DEST_HACK3)
1871       sendto_opmask_butone(0, SNO_HACK3, "BOUNCE or HACK(3): %s MODE %s "
1872                            "%s%s%s%s%s%s [%Tu]",
1873                            cli_name(feature_bool(FEAT_HIS_SNOTICES) ? 
1874                                     mbuf->mb_source : app_source),
1875                            mbuf->mb_channel->chname, rembuf_i ? "-" : "",
1876                            rembuf, addbuf_i ? "+" : "", addbuf, remstr, addstr,
1877                            mbuf->mb_channel->creationtime);
1878
1879     if (mbuf->mb_dest & MODEBUF_DEST_HACK4)
1880       sendto_opmask_butone(0, SNO_HACK4, "HACK(4): %s MODE %s %s%s%s%s%s%s "
1881                            "[%Tu]",
1882                            cli_name(feature_bool(FEAT_HIS_SNOTICES) ?
1883                                     mbuf->mb_source : app_source),
1884                            mbuf->mb_channel->chname,
1885                            rembuf_i ? "-" : "", rembuf, addbuf_i ? "+" : "",
1886                            addbuf, remstr, addstr,
1887                            mbuf->mb_channel->creationtime);
1888
1889     if (mbuf->mb_dest & MODEBUF_DEST_LOG)
1890       log_write(LS_OPERMODE, L_INFO, LOG_NOSNOTICE,
1891                 "%#C OPMODE %H %s%s%s%s%s%s", mbuf->mb_source,
1892                 mbuf->mb_channel, rembuf_i ? "-" : "", rembuf,
1893                 addbuf_i ? "+" : "", addbuf, remstr, addstr);
1894
1895     if (mbuf->mb_dest & MODEBUF_DEST_CHANNEL)
1896       sendcmdto_channel_butserv_butone(app_source, CMD_MODE, mbuf->mb_channel, NULL, 0,
1897                                        "%H %s%s%s%s%s%s%s%s", mbuf->mb_channel,
1898                                        rembuf_i || rembuf_local_i ? "-" : "",
1899                                        rembuf, rembuf_local,
1900                                        addbuf_i || addbuf_local_i ? "+" : "",
1901                                        addbuf, addbuf_local,
1902                                        remstr, addstr);
1903   }
1904
1905   /* Now are we supposed to propagate to other servers? */
1906   if (mbuf->mb_dest & MODEBUF_DEST_SERVER) {
1907     /* set up parameter string */
1908     addstr[0] = '\0';
1909     addstr_i = 0;
1910     remstr[0] = '\0';
1911     remstr_i = 0;
1912
1913     /*
1914      * limit is supressed if we're removing it; we have to figure out which
1915      * direction is the direction for it to be removed, though...
1916      */
1917     limitdel |= (mbuf->mb_dest & MODEBUF_DEST_BOUNCE) ? MODE_DEL : MODE_ADD;
1918         accessdel |= (mbuf->mb_dest & MODEBUF_DEST_BOUNCE) ? MODE_DEL : MODE_ADD;
1919
1920     for (i = 0; i < mbuf->mb_count; i++) {
1921       if (MB_TYPE(mbuf, i) & MODE_SAVE)
1922         continue;
1923
1924       if (MB_TYPE(mbuf, i) & MODE_ADD) { /* adding or removing? */
1925         strptr = addstr;
1926         strptr_i = &addstr_i;
1927       } else {
1928         strptr = remstr;
1929         strptr_i = &remstr_i;
1930       }
1931
1932       /* if we're changing oplevels and we know the oplevel, pass it on */
1933       if ((MB_TYPE(mbuf, i) & MODE_CHANOP)
1934           && MB_OPLEVEL(mbuf, i) < MAXOPLEVEL)
1935           *strptr_i += ircd_snprintf(0, strptr + *strptr_i, BUFSIZE - *strptr_i,
1936                                      " %s%s:%d",
1937                                      NumNick(MB_CLIENT(mbuf, i)),
1938                                      MB_OPLEVEL(mbuf, i));
1939
1940       /* deal with other modes that take clients */
1941       else if (MB_TYPE(mbuf, i) & (MODE_CHANOP | MODE_HALFOP | MODE_VOICE))
1942         build_string(strptr, strptr_i, NumNick(MB_CLIENT(mbuf, i)), ' ');
1943
1944       /* deal with modes that take strings */
1945       else if (MB_TYPE(mbuf, i) & (MODE_KEY | MODE_BAN | MODE_APASS | MODE_UPASS | MODE_ALTCHAN | MODE_NOFLOOD))
1946         build_string(strptr, strptr_i, MB_STRING(mbuf, i), 0, ' ');
1947
1948       /*
1949        * deal with the limit.  Logic here is complicated; if HACK2 is set,
1950        * we're bouncing the mode, so sense is reversed, and we have to
1951        * include the original limit if it looks like it's being removed
1952        */
1953       else if ((MB_TYPE(mbuf, i) & limitdel) == limitdel)
1954         build_string(strptr, strptr_i, limitbuf, 0, ' ');
1955           else if ((MB_TYPE(mbuf, i) & accessdel) == accessdel)
1956         build_string(strptr, strptr_i, accessbuf, 0, ' ');
1957     }
1958
1959     /* we were told to deop the source */
1960     if (mbuf->mb_dest & MODEBUF_DEST_DEOP) {
1961       addbuf[addbuf_i++] = 'o'; /* remember, sense is reversed */
1962       addbuf[addbuf_i] = '\0'; /* terminate the string... */
1963       build_string(addstr, &addstr_i, NumNick(mbuf->mb_source), ' ');
1964
1965       /* mark that we've done this, so we don't do it again */
1966       mbuf->mb_dest &= ~MODEBUF_DEST_DEOP;
1967     }
1968
1969     if (mbuf->mb_dest & MODEBUF_DEST_OPMODE) {
1970       /* If OPMODE was set, we're propagating the mode as an OPMODE message */
1971       sendcmdto_serv_butone(mbuf->mb_source, CMD_OPMODE, mbuf->mb_connect,
1972                             "%H %s%s%s%s%s%s", mbuf->mb_channel,
1973                             rembuf_i ? "-" : "", rembuf, addbuf_i ? "+" : "",
1974                             addbuf, remstr, addstr);
1975     } else if (mbuf->mb_dest & MODEBUF_DEST_BOUNCE) {
1976       /*
1977        * If HACK2 was set, we're bouncing; we send the MODE back to
1978        * the connection we got it from with the senses reversed and
1979        * the proper TS; origin is us
1980        */
1981       sendcmdto_one(&me, CMD_MODE, mbuf->mb_connect, "%H %s%s%s%s%s%s %Tu",
1982                     mbuf->mb_channel, addbuf_i ? "-" : "", addbuf,
1983                     rembuf_i ? "+" : "", rembuf, addstr, remstr,
1984                     mbuf->mb_channel->creationtime);
1985     } else {
1986       /*
1987        * We're propagating a normal (or HACK3 or HACK4) MODE command
1988        * to the rest of the network.  We send the actual channel TS.
1989        */
1990       sendcmdto_serv_butone(mbuf->mb_source, CMD_MODE, mbuf->mb_connect,
1991                             "%H %s%s%s%s%s%s %Tu", mbuf->mb_channel,
1992                             rembuf_i ? "-" : "", rembuf, addbuf_i ? "+" : "",
1993                             addbuf, remstr, addstr,
1994                             mbuf->mb_channel->creationtime);
1995     }
1996   }
1997
1998   /* We've drained the ModeBuf... */
1999   mbuf->mb_add = 0;
2000   mbuf->mb_rem = 0;
2001   mbuf->mb_count = 0;
2002
2003   /* reinitialize the mode-with-arg slots */
2004   for (i = 0; i < MAXMODEPARAMS; i++) {
2005     /* If we saved any, pack them down */
2006     if (MB_TYPE(mbuf, i) & MODE_SAVE) {
2007       mbuf->mb_modeargs[mbuf->mb_count] = mbuf->mb_modeargs[i];
2008       MB_TYPE(mbuf, mbuf->mb_count) &= ~MODE_SAVE; /* don't save anymore */
2009
2010       if (mbuf->mb_count++ == i) /* don't overwrite our hard work */
2011         continue;
2012     } else if (MB_TYPE(mbuf, i) & MODE_FREE)
2013       MyFree(MB_STRING(mbuf, i)); /* free string if needed */
2014
2015     MB_TYPE(mbuf, i) = 0;
2016     MB_UINT(mbuf, i) = 0;
2017   }
2018
2019   /* If we're supposed to flush it all, do so--all hail tail recursion */
2020   if (all && mbuf->mb_count)
2021     return modebuf_flush_int(mbuf, 1);
2022
2023   return 0;
2024 }
2025
2026 /** Initialise a modebuf
2027  * This routine just initializes a ModeBuf structure with the information
2028  * needed and the options given.
2029  *
2030  * @param mbuf          The mode buffer to initialise.
2031  * @param source        The client that is performing the mode.
2032  * @param connect       ?
2033  * @param chan          The channel that the mode is being performed upon.
2034  * @param dest          ?
2035  */
2036 void
2037 modebuf_init(struct ModeBuf *mbuf, struct Client *source,
2038              struct Client *connect, struct Channel *chan, unsigned int dest)
2039 {
2040   int i;
2041
2042   assert(0 != mbuf);
2043   assert(0 != source);
2044   assert(0 != chan);
2045   assert(0 != dest);
2046
2047   if (IsLocalChannel(chan->chname)) dest &= ~MODEBUF_DEST_SERVER;
2048
2049   mbuf->mb_add = 0;
2050   mbuf->mb_rem = 0;
2051   mbuf->mb_source = source;
2052   mbuf->mb_connect = connect;
2053   mbuf->mb_channel = chan;
2054   mbuf->mb_dest = dest;
2055   mbuf->mb_count = 0;
2056
2057   /* clear each mode-with-parameter slot */
2058   for (i = 0; i < MAXMODEPARAMS; i++) {
2059     MB_TYPE(mbuf, i) = 0;
2060     MB_UINT(mbuf, i) = 0;
2061   }
2062 }
2063
2064 /** Append a new mode to a modebuf
2065  * This routine simply adds modes to be added or deleted; do a binary OR
2066  * with either MODE_ADD or MODE_DEL
2067  *
2068  * @param mbuf          Mode buffer
2069  * @param mode          MODE_ADD or MODE_DEL OR'd with MODE_PRIVATE etc.
2070  */
2071 void
2072 modebuf_mode(struct ModeBuf *mbuf, ulong64 mode)
2073 {
2074   assert(0 != mbuf);
2075   assert(0 != (mode & (MODE_ADD | MODE_DEL)));
2076
2077   mode &= (MODE_ADD | MODE_DEL | MODE_PRIVATE | MODE_SECRET | MODE_MODERATED |
2078            MODE_TOPICLIMIT | MODE_INVITEONLY | MODE_NOPRIVMSGS | MODE_REGONLY |
2079            MODE_DELJOINS | MODE_WASDELJOINS | MODE_REGISTERED | MODE_PERSIST |
2080            MODE_NOCOLOUR | MODE_NOCTCP | MODE_NOAMSGS | MODE_NONOTICE | 
2081                    MODE_QUARANTINE | MODE_AUDITORIUM | MODE_SSLCHAN);
2082
2083   if (!(mode & ~(MODE_ADD | MODE_DEL))) /* don't add empty modes... */
2084     return;
2085
2086   if (mode & MODE_ADD) {
2087     mbuf->mb_rem &= ~mode;
2088     mbuf->mb_add |= mode;
2089   } else {
2090     mbuf->mb_add &= ~mode;
2091     mbuf->mb_rem |= mode;
2092   }
2093 }
2094
2095 /** Append a mode that takes an ulong64 argument to the modebuf
2096  *
2097  * This routine adds a mode to be added or deleted that takes a unsigned
2098  * ulong64 parameter; mode may *only* be the relevant mode flag ORed with one
2099  * of MODE_ADD or MODE_DEL
2100  *
2101  * @param mbuf          The mode buffer to append to.
2102  * @param mode          The mode to append.
2103  * @param uint          The argument to the mode.
2104  */
2105 void
2106 modebuf_mode_uint(struct ModeBuf *mbuf, ulong64 mode, unsigned int uint)
2107 {
2108   assert(0 != mbuf);
2109   assert(0 != (mode & (MODE_ADD | MODE_DEL)));
2110
2111   if (mode == (MODE_LIMIT | MODE_DEL)) {
2112       mbuf->mb_rem |= mode;
2113       return;
2114   }
2115   if (mode == (MODE_ACCESS | MODE_DEL)) {
2116       mbuf->mb_rem |= mode;
2117       return;
2118   }
2119   MB_TYPE(mbuf, mbuf->mb_count) = mode;
2120   MB_UINT(mbuf, mbuf->mb_count) = uint;
2121
2122   /* when we've reached the maximal count, flush the buffer */
2123   if (++mbuf->mb_count >=
2124       (MAXMODEPARAMS - (mbuf->mb_dest & MODEBUF_DEST_DEOP ? 1 : 0)))
2125     modebuf_flush_int(mbuf, 0);
2126 }
2127
2128 /** append a string mode
2129  * This routine adds a mode to be added or deleted that takes a string
2130  * parameter; mode may *only* be the relevant mode flag ORed with one of
2131  * MODE_ADD or MODE_DEL
2132  *
2133  * @param mbuf          The mode buffer to append to.
2134  * @param mode          The mode to append.
2135  * @param string        The string parameter to append.
2136  * @param free          If the string should be free'd later.
2137  */
2138 void
2139 modebuf_mode_string(struct ModeBuf *mbuf, ulong64 mode, char *string,
2140                     int free)
2141 {
2142   assert(0 != mbuf);
2143   assert(0 != (mode & (MODE_ADD | MODE_DEL)));
2144
2145   MB_TYPE(mbuf, mbuf->mb_count) = mode | (free ? MODE_FREE : 0);
2146   MB_STRING(mbuf, mbuf->mb_count) = string;
2147
2148   /* when we've reached the maximal count, flush the buffer */
2149   if (++mbuf->mb_count >=
2150       (MAXMODEPARAMS - (mbuf->mb_dest & MODEBUF_DEST_DEOP ? 1 : 0)))
2151     modebuf_flush_int(mbuf, 0);
2152 }
2153
2154 /** Append a mode on a client to a modebuf.
2155  * This routine adds a mode to be added or deleted that takes a client
2156  * parameter; mode may *only* be the relevant mode flag ORed with one of
2157  * MODE_ADD or MODE_DEL
2158  *
2159  * @param mbuf          The modebuf to append the mode to.
2160  * @param mode          The mode to append.
2161  * @param client        The client argument to append.
2162  * @param oplevel       The oplevel the user had or will have
2163  */
2164 void
2165 modebuf_mode_client(struct ModeBuf *mbuf, ulong64 mode,
2166                     struct Client *client, int oplevel)
2167 {
2168   assert(0 != mbuf);
2169   assert(0 != (mode & (MODE_ADD | MODE_DEL)));
2170
2171   MB_TYPE(mbuf, mbuf->mb_count) = mode;
2172   MB_CLIENT(mbuf, mbuf->mb_count) = client;
2173   MB_OPLEVEL(mbuf, mbuf->mb_count) = oplevel;
2174
2175   /* when we've reached the maximal count, flush the buffer */
2176   if (++mbuf->mb_count >=
2177       (MAXMODEPARAMS - (mbuf->mb_dest & MODEBUF_DEST_DEOP ? 1 : 0)))
2178     modebuf_flush_int(mbuf, 0);
2179 }
2180
2181 /** Check a channel for join-delayed members.
2182  * @param[in] chan Channel to search.
2183  * @return Non-zero if any members are join-delayed; false if none are.
2184  */
2185 static int
2186 find_delayed_joins(const struct Channel *chan)
2187 {
2188   const struct Membership *memb;
2189   for (memb = chan->members; memb; memb = memb->next_member)
2190     if (IsDelayedJoin(memb) && !IsInvisibleJoin(memb))
2191       return 1;
2192   return 0;
2193 }
2194
2195 /** The exported binding for modebuf_flush()
2196  *
2197  * @param mbuf  The mode buffer to flush.
2198  * 
2199  * @see modebuf_flush_int()
2200  */
2201 int
2202 modebuf_flush(struct ModeBuf *mbuf)
2203 {
2204   /* Check if MODE_WASDELJOINS should be set: */
2205   /* Must be set if going -D and some clients are hidden */
2206   if ((mbuf->mb_rem & MODE_DELJOINS)
2207       && !(mbuf->mb_channel->mode.mode & (MODE_DELJOINS | MODE_WASDELJOINS))
2208       && find_delayed_joins(mbuf->mb_channel)) {
2209     mbuf->mb_channel->mode.mode |= MODE_WASDELJOINS;
2210     mbuf->mb_add |= MODE_WASDELJOINS;
2211     mbuf->mb_rem &= ~MODE_WASDELJOINS;
2212   }
2213   /* Must be cleared if +D is set */
2214   if ((mbuf->mb_add & MODE_DELJOINS)
2215       && ((mbuf->mb_channel->mode.mode & (MODE_WASDELJOINS | MODE_WASDELJOINS))
2216           == (MODE_WASDELJOINS | MODE_WASDELJOINS))) {
2217     mbuf->mb_channel->mode.mode &= ~MODE_WASDELJOINS;
2218     mbuf->mb_add &= ~MODE_WASDELJOINS;
2219     mbuf->mb_rem |= MODE_WASDELJOINS;
2220   }
2221
2222   return modebuf_flush_int(mbuf, 1);
2223 }
2224
2225 /* This extracts the simple modes contained in mbuf
2226  *
2227  * @param mbuf          The mode buffer to extract the modes from.
2228  * @param buf           The string buffer to write the modes into.
2229  */
2230 void
2231 modebuf_extract(struct ModeBuf *mbuf, char *buf)
2232 {
2233   static ulong64 flags[] = {
2234 /*  MODE_CHANOP,        'o', */
2235 /*  MODE_VOICE,         'v', */
2236     MODE_PRIVATE,       'p',
2237     MODE_SECRET,        's',
2238     MODE_MODERATED,     'm',
2239     MODE_TOPICLIMIT,    't',
2240     MODE_INVITEONLY,    'i',
2241     MODE_NOPRIVMSGS,    'n',
2242     MODE_KEY,           'k',
2243     MODE_APASS,         'A',
2244     MODE_UPASS,         'U',
2245     MODE_REGISTERED,    'R',
2246 /*  MODE_BAN,           'b', */
2247     MODE_LIMIT,         'l',
2248     MODE_REGONLY,       'r',
2249     MODE_DELJOINS,      'D',
2250     MODE_PERSIST,       'z',
2251     MODE_NOCOLOUR,  'c',
2252     MODE_NOCTCP,    'C',
2253     MODE_NOAMSGS,   'M',
2254         MODE_NONOTICE,  'N',
2255         MODE_QUARANTINE,  'Q',
2256         MODE_ALTCHAN,    'F',
2257         MODE_ACCESS,    'a',
2258         MODE_AUDITORIUM, 'u',
2259     MODE_SSLCHAN,    'S',
2260         MODE_NOFLOOD,   'f',
2261     0x0, 0x0
2262   };
2263   ulong64 add;
2264   int i, bufpos = 0, len;
2265   ulong64 *flag_p;
2266   char *key = 0, limitbuf[20], accessbuf[20];
2267   char *apass = 0, *upass = 0, *altchan = 0, *noflood = 0;
2268
2269   assert(0 != mbuf);
2270   assert(0 != buf);
2271
2272   buf[0] = '\0';
2273
2274   add = mbuf->mb_add;
2275
2276   for (i = 0; i < mbuf->mb_count; i++) { /* find keys and limits */
2277     if (MB_TYPE(mbuf, i) & MODE_ADD) {
2278       add |= MB_TYPE(mbuf, i) & (MODE_KEY | MODE_LIMIT | MODE_APASS | MODE_UPASS | MODE_ALTCHAN | MODE_ACCESS | MODE_NOFLOOD);
2279
2280       if (MB_TYPE(mbuf, i) & MODE_KEY) /* keep strings */
2281         key = MB_STRING(mbuf, i);
2282       else if (MB_TYPE(mbuf, i) & MODE_LIMIT)
2283         ircd_snprintf(0, limitbuf, sizeof(limitbuf), "%u", MB_UINT(mbuf, i));
2284           else if (MB_TYPE(mbuf, i) & MODE_ACCESS)
2285         ircd_snprintf(0, accessbuf, sizeof(accessbuf), "%u", MB_UINT(mbuf, i));
2286       else if (MB_TYPE(mbuf, i) & MODE_UPASS)
2287         upass = MB_STRING(mbuf, i);
2288       else if (MB_TYPE(mbuf, i) & MODE_APASS)
2289         apass = MB_STRING(mbuf, i);
2290       else if (MB_TYPE(mbuf, i) & MODE_ALTCHAN)
2291         altchan = MB_STRING(mbuf, i);
2292           else if (MB_TYPE(mbuf, i) & MODE_NOFLOOD)
2293         noflood = MB_STRING(mbuf, i);
2294     }
2295   }
2296
2297   if (!add)
2298     return;
2299
2300   buf[bufpos++] = '+'; /* start building buffer */
2301
2302   for (flag_p = flags; flag_p[0]; flag_p += 2)
2303     if (*flag_p & add)
2304       buf[bufpos++] = flag_p[1];
2305
2306   for (i = 0, len = bufpos; i < len; i++) {
2307     if (buf[i] == 'k')
2308       build_string(buf, &bufpos, key, 0, ' ');
2309     else if (buf[i] == 'l')
2310       build_string(buf, &bufpos, limitbuf, 0, ' ');
2311     else if (buf[i] == 'a')
2312       build_string(buf, &bufpos, accessbuf, 0, ' ');
2313     else if (buf[i] == 'U')
2314       build_string(buf, &bufpos, upass, 0, ' ');
2315     else if (buf[i] == 'A')
2316       build_string(buf, &bufpos, apass, 0, ' ');
2317         else if (buf[i] == 'F')
2318       build_string(buf, &bufpos, altchan, 0, ' ');
2319         else if (buf[i] == 'f')
2320       build_string(buf, &bufpos, noflood, 0, ' ');
2321   }
2322
2323   buf[bufpos] = '\0';
2324
2325   return;
2326 }
2327
2328 /** Simple function to invalidate a channel's ban cache.
2329  *
2330  * This function marks all members of the channel as being neither
2331  * banned nor banned.
2332  *
2333  * @param chan  The channel to operate on.
2334  */
2335 void
2336 mode_ban_invalidate(struct Channel *chan)
2337 {
2338   struct Membership *member;
2339
2340   for (member = chan->members; member; member = member->next_member)
2341     ClearBanValid(member);
2342 }
2343
2344 /** Simple function to drop invite structures
2345  *
2346  * Remove all the invites on the channel.
2347  *
2348  * @param chan          Channel to remove invites from.
2349  *
2350  */
2351 void
2352 mode_invite_clear(struct Channel *chan)
2353 {
2354   while (chan->invites)
2355     del_invite(chan->invites->value.cptr, chan);
2356 }
2357
2358 /* What we've done for mode_parse so far... */
2359 #define DONE_LIMIT      0x01    /**< We've set the limit */
2360 #define DONE_KEY_ADD    0x02    /**< We've set the key */
2361 #define DONE_BANLIST    0x04    /**< We've sent the ban list */
2362 #define DONE_NOTOPER    0x08    /**< We've sent a "Not oper" error */
2363 #define DONE_BANCLEAN   0x10    /**< We've cleaned bans... */
2364 #define DONE_UPASS_ADD  0x20    /**< We've set user pass */
2365 #define DONE_APASS_ADD  0x40    /**< We've set admin pass */
2366 #define DONE_KEY_DEL    0x80    /**< We've removed the key */
2367 #define DONE_UPASS_DEL  0x100   /**< We've removed the user pass */
2368 #define DONE_APASS_DEL  0x200   /**< We've removed the admin pass */
2369 #define DONE_ALTCHAN    0x800   /**< We've set the altchan */
2370 #define DONE_ACCESS     0x1000  /**< We've set the access */
2371 #define DONE_NOFLOOD    0x2000  /**< We've set the noflood options */
2372
2373 struct ParseState {
2374   struct ModeBuf *mbuf;
2375   struct Client *cptr;
2376   struct Client *sptr;
2377   struct Channel *chptr;
2378   struct Membership *member;
2379   int parc;
2380   char **parv;
2381   ulong64 flags;
2382   ulong64 dir;
2383   ulong64 done;
2384   ulong64 add;
2385   ulong64 del;
2386   int args_used;
2387   int max_args;
2388   int numbans;
2389   struct Ban banlist[MAXPARA];
2390   struct {
2391     ulong64 flag;
2392     unsigned short oplevel;
2393     struct Client *client;
2394   } cli_change[MAXPARA];
2395 };
2396
2397 /** Helper function to send "Not oper" or "Not member" messages
2398  * Here's a helper function to deal with sending along "Not oper" or
2399  * "Not member" messages
2400  *
2401  * @param state         Parsing State object
2402  */
2403 static void
2404 send_notoper(struct ParseState *state)
2405 {
2406   if (state->done & DONE_NOTOPER)
2407     return;
2408
2409   send_reply(state->sptr, (state->flags & MODE_PARSE_NOTOPER) ?
2410              ERR_CHANOPRIVSNEEDED : ERR_NOTONCHANNEL, state->chptr->chname);
2411
2412   state->done |= DONE_NOTOPER;
2413 }
2414
2415 /** Parse a limit
2416  * Helper function to convert limits
2417  *
2418  * @param state         Parsing state object.
2419  * @param flag_p        ?
2420  */
2421 static void
2422 mode_parse_limit(struct ParseState *state, ulong64 *flag_p)
2423 {
2424   unsigned int t_limit;
2425
2426   if (state->dir == MODE_ADD) { /* convert arg only if adding limit */
2427     if (MyUser(state->sptr) && state->max_args <= 0) /* too many args? */
2428       return;
2429
2430     if (state->parc <= 0) { /* warn if not enough args */
2431       if (MyUser(state->sptr))
2432         need_more_params(state->sptr, "MODE +l");
2433       return;
2434     }
2435
2436     t_limit = strtoul(state->parv[state->args_used++], 0, 10); /* grab arg */
2437     state->parc--;
2438     state->max_args--;
2439
2440     if ((int)t_limit<0) /* don't permit a negative limit */
2441       return;
2442
2443     if (!(state->flags & MODE_PARSE_WIPEOUT) &&
2444         (!t_limit || t_limit == state->chptr->mode.limit))
2445       return;
2446   } else
2447     t_limit = state->chptr->mode.limit;
2448
2449   /* If they're not an oper, they can't change modes */
2450   if (state->flags & (MODE_PARSE_NOTOPER | MODE_PARSE_NOTMEMBER)) {
2451     send_notoper(state);
2452     return;
2453   }
2454
2455   /* Can't remove a limit that's not there */
2456   if (state->dir == MODE_DEL && !state->chptr->mode.limit)
2457     return;
2458     
2459   /* Skip if this is a burst and a lower limit than this is set already */
2460   if ((state->flags & MODE_PARSE_BURST) &&
2461       (state->chptr->mode.mode & flag_p[0]) &&
2462       (state->chptr->mode.limit < t_limit))
2463     return;
2464
2465   if (state->done & DONE_LIMIT) /* allow limit to be set only once */
2466     return;
2467   state->done |= DONE_LIMIT;
2468
2469   if (!state->mbuf)
2470     return;
2471
2472   modebuf_mode_uint(state->mbuf, state->dir | flag_p[0], t_limit);
2473
2474   if (state->flags & MODE_PARSE_SET) { /* set the limit */
2475     if (state->dir & MODE_ADD) {
2476       state->chptr->mode.mode |= flag_p[0];
2477       state->chptr->mode.limit = t_limit;
2478     } else {
2479       state->chptr->mode.mode &= ~flag_p[0];
2480       state->chptr->mode.limit = 0;
2481     }
2482   }
2483 }
2484
2485
2486 static void
2487 mode_parse_access(struct ParseState *state, ulong64 *flag_p)
2488 {
2489   unsigned int t_access;
2490
2491   if (state->dir == MODE_ADD) { /* convert arg only if adding access */
2492     if (MyUser(state->sptr) && state->max_args <= 0) /* too many args? */
2493       return;
2494
2495     if (state->parc <= 0) { /* warn if not enough args */
2496       if (MyUser(state->sptr))
2497         need_more_params(state->sptr, "MODE +a");
2498       return;
2499     }
2500
2501     t_access = strtoul(state->parv[state->args_used++], 0, 10); /* grab arg */
2502     state->parc--;
2503     state->max_args--;
2504
2505     if ((int)t_access<1 || (int)t_access>500) /* don't permit a negative access or an access over 500 */
2506       return;
2507     
2508     if (!feature_bool(FEAT_CHMODE_A_ENABLE)) { /* don't parse MODE_ACCESS if it's disabled */
2509         if (MyUser(state->sptr)) {
2510             char mode[1] = "a";
2511             send_reply(state->sptr, ERR_UNKNOWNMODE, mode[0]);
2512         }
2513         return;
2514     }
2515     
2516     if (!(state->flags & MODE_PARSE_WIPEOUT) &&
2517         (!t_access || t_access == state->chptr->mode.access))
2518       return;
2519   } else
2520     t_access = state->chptr->mode.access;
2521
2522   /* If they're not an oper, they can't change modes */
2523   if (state->flags & (MODE_PARSE_NOTOPER | MODE_PARSE_NOTMEMBER)) {
2524     send_notoper(state);
2525     return;
2526   }
2527
2528   /* Can't remove an access that's not there */
2529   if (state->dir == MODE_DEL && !state->chptr->mode.access)
2530     return;
2531     
2532   /* Skip if this is a burst and a higher access than this is set already */
2533   if ((state->flags & MODE_PARSE_BURST) &&
2534       (state->chptr->mode.mode & flag_p[0]) &&
2535       (state->chptr->mode.access > t_access))
2536     return;
2537
2538   if (state->done & DONE_ACCESS) /* allow access to be set only once */
2539     return;
2540   state->done |= DONE_ACCESS;
2541
2542   if (!state->mbuf)
2543     return;
2544
2545   modebuf_mode_uint(state->mbuf, state->dir | flag_p[0], t_access);
2546
2547   if (state->flags & MODE_PARSE_SET) { /* set the access */
2548     if (state->dir & MODE_ADD) {
2549       state->chptr->mode.mode |= flag_p[0];
2550       state->chptr->mode.access = t_access;
2551     } else {
2552       state->chptr->mode.mode &= ~flag_p[0];
2553       state->chptr->mode.access = 0;
2554     }
2555   }
2556 }
2557
2558
2559 static void
2560 mode_parse_altchan(struct ParseState *state, ulong64 *flag_p)
2561 {
2562   char *t_str;
2563
2564   if (state->dir == MODE_ADD) { /* convert arg only if adding altchan */
2565     if (MyUser(state->sptr) && state->max_args <= 0) /* too many args? */
2566       return;
2567     
2568     if (!feature_bool(FEAT_CHMODE_F_ENABLE))
2569         return;
2570     
2571     if (state->parc <= 0) { /* warn if not enough args */
2572       if (MyUser(state->sptr))
2573         need_more_params(state->sptr, "MODE +F");
2574       return;
2575     }
2576
2577     t_str = state->parv[state->args_used++]; /* grab arg */
2578     state->parc--;
2579     state->max_args--;
2580
2581     if (!IsChannelName(t_str) || !strIsIrcCh(t_str) || strlen(t_str) > IRCD_MIN(CHANNELLEN, feature_int(FEAT_CHANNELLEN)) || t_str[0] == '&') /* only parse it if it's a valid channel name! */
2582       return;
2583     
2584     if(!(state->flags & MODE_PARSE_FORCE)) {
2585       struct Channel *chptr;
2586       struct Membership *member;
2587       if (!(chptr = FindChannel(t_str)))
2588         return;
2589       if(!(member = find_member_link(chptr, state->sptr)))
2590         return;
2591       if(!IsChanOpOrHalfOp(member)) {
2592         send_notoper(state);
2593         return;
2594       }
2595     }
2596     
2597     if (!(state->flags & MODE_PARSE_WIPEOUT) &&
2598         (!t_str || t_str == state->chptr->mode.altchan))
2599       return;
2600   } else
2601     t_str = state->chptr->mode.altchan;
2602
2603   /* If they're not an oper, they can't change modes */
2604   if (state->flags & (MODE_PARSE_NOTOPER | MODE_PARSE_NOTMEMBER)) {
2605     send_notoper(state);
2606     return;
2607   }
2608
2609   /* Can't remove a altchan that's not there */
2610   if (state->dir == MODE_DEL && !*state->chptr->mode.altchan)
2611     return;
2612     
2613   /* Skip if this is a burst and a lower altchan than this is set already */
2614   if ((state->flags & MODE_PARSE_BURST) &&
2615       *(state->chptr->mode.altchan))
2616     return;
2617
2618   if (state->done & DONE_ALTCHAN) /* allow altchan to be set only once */
2619     return;
2620   state->done |= DONE_ALTCHAN;
2621
2622   if (!state->mbuf)
2623     return;
2624
2625   if (!(state->flags & MODE_PARSE_WIPEOUT) && state->dir == MODE_ADD &&
2626       !ircd_strcmp(state->chptr->mode.altchan, t_str))
2627     return; /* no change */
2628
2629   if (state->flags & MODE_PARSE_BOUNCE) {
2630     if (*state->chptr->mode.altchan) /* reset old altchan */
2631       modebuf_mode_string(state->mbuf, MODE_DEL | flag_p[0], state->chptr->mode.altchan, 0);
2632     else /* remove new bogus altchan */
2633       modebuf_mode_string(state->mbuf, MODE_ADD | flag_p[0], t_str, 0);
2634   } else /* send new altchan */
2635     modebuf_mode_string(state->mbuf, state->dir | flag_p[0], t_str, 0);
2636
2637   if (state->flags & MODE_PARSE_SET) {
2638     if (state->dir == MODE_DEL) { /* remove the old altchan */
2639       *state->chptr->mode.altchan = '\0';
2640       state->chptr->mode.mode &= ~flag_p[0];
2641     } else {
2642       ircd_strncpy(state->chptr->mode.altchan, t_str, CHANNELLEN);
2643       state->chptr->mode.mode |= flag_p[0];
2644     }
2645   }
2646 }
2647
2648 static void
2649 mode_parse_noflood(struct ParseState *state, ulong64 *flag_p)
2650 {
2651   char *t_str;
2652   char *tmp;
2653   unsigned int count = 0, time = 0, flags = 0;
2654
2655   if (state->dir == MODE_ADD) { /* convert arg only if adding noflood */
2656     if (MyUser(state->sptr) && state->max_args <= 0) /* too many args? */
2657       return;
2658     
2659     if (state->parc <= 0) { /* warn if not enough args */
2660       if (MyUser(state->sptr))
2661         need_more_params(state->sptr, "MODE +f");
2662       return;
2663     }
2664
2665     t_str = state->parv[state->args_used++]; /* grab arg */
2666     state->parc--;
2667     state->max_args--;
2668
2669     tmp = t_str;
2670     
2671     if(tmp[0] == '!') {
2672         if(state->flags & MODE_PARSE_FORCE) flags |= FLFL_NOFLOOD;
2673         else t_str++; //simply ignore if it's not an opmode
2674         tmp++;
2675     }
2676     if(tmp[0] == '+' || tmp[0] == '@') {
2677         if(tmp[0] == '+') flags |= FLFL_VOICE;
2678         if(tmp[0] == '@') flags |= FLFL_CHANOP;
2679         tmp++;
2680     }
2681     char *p;
2682     for(p = tmp; p[0]; p++) {
2683       if(p[0] == ':') {
2684         char tmpchar = p[0];
2685         p[0] = '\0';
2686         count = strtoul(tmp,0,10);
2687         p[0] = tmpchar;
2688         p++;
2689         time = strtoul(p,0,10);
2690         break;
2691       }
2692     }
2693     if(count <= 0 || time <= 0 || count > 100 || time > 600) return;
2694     
2695     if (!(state->flags & MODE_PARSE_WIPEOUT) &&
2696         (!t_str || t_str == state->chptr->mode.noflood))
2697       return;
2698   } else
2699     t_str = state->chptr->mode.noflood;
2700
2701   /* If they're not an oper, they can't change modes */
2702   if (state->flags & (MODE_PARSE_NOTOPER | MODE_PARSE_NOTMEMBER)) {
2703     send_notoper(state);
2704     return;
2705   }
2706
2707   /* Can't remove a noflood that's not there */
2708   if (state->dir == MODE_DEL && !*state->chptr->mode.noflood)
2709     return;
2710     
2711   /* Skip if this is a burst and a lower noflood than this is set already */
2712   if ((state->flags & MODE_PARSE_BURST) &&
2713       *(state->chptr->mode.noflood))
2714     return;
2715
2716   if (state->done & DONE_NOFLOOD) /* allow noflood to be set only once */
2717     return;
2718   state->done |= DONE_NOFLOOD;
2719
2720   if (!state->mbuf)
2721     return;
2722
2723   if (!(state->flags & MODE_PARSE_WIPEOUT) && state->dir == MODE_ADD &&
2724       !ircd_strcmp(state->chptr->mode.noflood, t_str))
2725     return; /* no change */
2726
2727   if (state->flags & MODE_PARSE_BOUNCE) {
2728     if (*state->chptr->mode.noflood) /* reset old noflood */
2729       modebuf_mode_string(state->mbuf, MODE_DEL | flag_p[0], state->chptr->mode.noflood, 0);
2730     else /* remove new bogus noflood */
2731       modebuf_mode_string(state->mbuf, MODE_ADD | flag_p[0], t_str, 0);
2732   } else /* send new noflood */
2733     modebuf_mode_string(state->mbuf, state->dir | flag_p[0], t_str, 0);
2734
2735   if (state->flags & MODE_PARSE_SET) {
2736     if (state->dir == MODE_DEL) { /* remove the old noflood */
2737       *state->chptr->mode.noflood = '\0';
2738       state->chptr->mode.mode &= ~flag_p[0];
2739     } else {
2740       ircd_strncpy(state->chptr->mode.noflood, t_str, CHANNELLEN);
2741       state->chptr->mode.mode |= flag_p[0];
2742     }
2743   }
2744   
2745   if (state->dir == MODE_ADD) {
2746     unsigned int noflood_value = time;
2747     noflood_value <<= 10;
2748     noflood_value |= count;
2749     noflood_value <<= 3;
2750     noflood_value |= flags;
2751     state->chptr->mode.noflood_value = noflood_value;
2752   } else {
2753     //removed the mode so free all flood objects
2754     state->chptr->mode.noflood_value = 0;
2755     struct Membership *member;
2756     for(member = state->chptr->members; member; member = member->next_member) {
2757         struct MemberFlood *floodnode;
2758         for(floodnode = member->flood;floodnode ; floodnode = floodnode->next_memberflood) {
2759           if(floodnode->next_memberflood == NULL) break;
2760         } //simply walk to the end
2761         if(!floodnode) continue;
2762         floodnode->next_memberflood = free_MemberFlood;
2763         free_MemberFlood  = floodnode;
2764         member->flood = NULL;
2765     }
2766   }
2767 }
2768
2769 static void
2770 mode_parse_quarantine(struct ParseState *state, ulong64 *flag_p)
2771 {
2772     
2773 }
2774
2775 /** Helper function to validate key-like parameters.
2776  *
2777  * @param[in] state Parse state for feedback to user.
2778  * @param[in] s Key to validate.
2779  * @param[in] command String to pass for need_more_params() command.
2780  * @return Zero on an invalid key, non-zero if the key was okay.
2781  */
2782 static int
2783 is_clean_key(struct ParseState *state, char *s, char *command)
2784 {
2785   int ii;
2786
2787   if (s[0] == '\0') {
2788     if (MyUser(state->sptr))
2789       need_more_params(state->sptr, command);
2790     return 0;
2791   }
2792   else if (s[0] == ':') {
2793     if (MyUser(state->sptr))
2794       send_reply(state->sptr, ERR_INVALIDKEY, state->chptr->chname);
2795     return 0;
2796   }
2797   for (ii = 0; (ii <= KEYLEN) && (s[ii] != '\0'); ++ii) {
2798     if ((unsigned char)s[ii] <= ' ' || s[ii] == ',') {
2799       if (MyUser(state->sptr))
2800         send_reply(state->sptr, ERR_INVALIDKEY, state->chptr->chname);
2801       return 0;
2802     }
2803   }
2804   if (ii > KEYLEN) {
2805     if (MyUser(state->sptr))
2806       send_reply(state->sptr, ERR_INVALIDKEY, state->chptr->chname);
2807     return 0;
2808   }
2809   return 1;
2810 }
2811
2812 /*
2813  * Helper function to convert keys
2814  */
2815 static void
2816 mode_parse_key(struct ParseState *state, ulong64 *flag_p)
2817 {
2818   char *t_str;
2819
2820   if (MyUser(state->sptr) && state->max_args <= 0) /* drop if too many args */
2821     return;
2822
2823   if (state->parc <= 0) { /* warn if not enough args */
2824     if (MyUser(state->sptr))
2825       need_more_params(state->sptr, state->dir == MODE_ADD ? "MODE +k" :
2826                        "MODE -k");
2827     return;
2828   }
2829
2830   t_str = state->parv[state->args_used++]; /* grab arg */
2831   state->parc--;
2832   state->max_args--;
2833
2834   /* If they're not an oper, they can't change modes */
2835   if (state->flags & (MODE_PARSE_NOTOPER | MODE_PARSE_NOTMEMBER)) {
2836     send_notoper(state);
2837     return;
2838   }
2839
2840   /* allow removing and then adding key, but not adding and then removing */
2841   if (state->dir == MODE_ADD)
2842   {
2843     if (state->done & DONE_KEY_ADD)
2844       return;
2845     state->done |= DONE_KEY_ADD;
2846   }
2847   else
2848   {
2849     if (state->done & (DONE_KEY_ADD | DONE_KEY_DEL))
2850       return;
2851     state->done |= DONE_KEY_DEL;
2852   }
2853
2854   /* If the key is invalid, tell the user and bail. */
2855   if (!is_clean_key(state, t_str, state->dir == MODE_ADD ? "MODE +k" :
2856                     "MODE -k"))
2857     return;
2858
2859   if (!state->mbuf)
2860     return;
2861
2862   /* Skip if this is a burst, we have a key already and the new key is 
2863    * after the old one alphabetically */
2864   if ((state->flags & MODE_PARSE_BURST) &&
2865       *(state->chptr->mode.key) &&
2866       ircd_strcmp(state->chptr->mode.key, t_str) <= 0)
2867     return;
2868
2869   /* can't add a key if one is set, nor can one remove the wrong key */
2870   if (!(state->flags & MODE_PARSE_FORCE))
2871     if ((state->dir == MODE_ADD && *state->chptr->mode.key) ||
2872         (state->dir == MODE_DEL &&
2873          ircd_strcmp(state->chptr->mode.key, t_str))) {
2874       send_reply(state->sptr, ERR_KEYSET, state->chptr->chname);
2875       return;
2876     }
2877
2878   if (!(state->flags & MODE_PARSE_WIPEOUT) && state->dir == MODE_ADD &&
2879       !ircd_strcmp(state->chptr->mode.key, t_str))
2880     return; /* no key change */
2881
2882   if (state->flags & MODE_PARSE_BOUNCE) {
2883     if (*state->chptr->mode.key) /* reset old key */
2884       modebuf_mode_string(state->mbuf, MODE_DEL | flag_p[0],
2885                           state->chptr->mode.key, 0);
2886     else /* remove new bogus key */
2887       modebuf_mode_string(state->mbuf, MODE_ADD | flag_p[0], t_str, 0);
2888   } else /* send new key */
2889     modebuf_mode_string(state->mbuf, state->dir | flag_p[0], t_str, 0);
2890
2891   if (state->flags & MODE_PARSE_SET) {
2892     if (state->dir == MODE_DEL) /* remove the old key */
2893       *state->chptr->mode.key = '\0';
2894     else
2895       ircd_strncpy(state->chptr->mode.key, t_str, KEYLEN);
2896   }
2897 }
2898
2899 /*
2900  * Helper function to convert user passes
2901  */
2902 static void
2903 mode_parse_upass(struct ParseState *state, ulong64 *flag_p)
2904 {
2905   char *t_str;
2906
2907   if (MyUser(state->sptr) && state->max_args <= 0) /* drop if too many args */
2908     return;
2909
2910   if (state->parc <= 0) { /* warn if not enough args */
2911     if (MyUser(state->sptr))
2912       need_more_params(state->sptr, state->dir == MODE_ADD ? "MODE +U" :
2913                        "MODE -U");
2914     return;
2915   }
2916
2917   t_str = state->parv[state->args_used++]; /* grab arg */
2918   state->parc--;
2919   state->max_args--;
2920
2921   /* If they're not an oper, they can't change modes */
2922   if (state->flags & (MODE_PARSE_NOTOPER | MODE_PARSE_NOTMEMBER)) {
2923     send_notoper(state);
2924     return;
2925   }
2926
2927   /* If a non-service user is trying to force it, refuse. */
2928   if (state->flags & MODE_PARSE_FORCE && MyUser(state->sptr)
2929       && !HasPriv(state->sptr, PRIV_APASS_OPMODE)) {
2930     send_reply(state->sptr, ERR_NOTMANAGER, state->chptr->chname,
2931                state->chptr->chname);
2932     return;
2933   }
2934
2935   /* If they are not the channel manager, they are not allowed to change it */
2936   if (MyUser(state->sptr) && !(state->flags & MODE_PARSE_FORCE || IsChannelManager(state->member))) {
2937     if (*state->chptr->mode.apass) {
2938       send_reply(state->sptr, ERR_NOTMANAGER, state->chptr->chname,
2939                  state->chptr->chname);
2940     } else {
2941       send_reply(state->sptr, ERR_NOMANAGER, state->chptr->chname,
2942           (TStime() - state->chptr->creationtime < 172800) ?
2943           "approximately 4-5 minutes" : "approximately 48 hours");
2944     }
2945     return;
2946   }
2947
2948   /* allow removing and then adding upass, but not adding and then removing */
2949   if (state->dir == MODE_ADD)
2950   {
2951     if (state->done & DONE_UPASS_ADD)
2952       return;
2953     state->done |= DONE_UPASS_ADD;
2954   }
2955   else
2956   {
2957     if (state->done & (DONE_UPASS_ADD | DONE_UPASS_DEL))
2958       return;
2959     state->done |= DONE_UPASS_DEL;
2960   }
2961
2962   /* If the Upass is invalid, tell the user and bail. */
2963   if (!is_clean_key(state, t_str, state->dir == MODE_ADD ? "MODE +U" :
2964                     "MODE -U"))
2965     return;
2966
2967   if (!state->mbuf)
2968     return;
2969
2970   if (!(state->flags & MODE_PARSE_FORCE)) {
2971     /* can't add the upass while apass is not set */
2972     if (state->dir == MODE_ADD && !*state->chptr->mode.apass) {
2973       send_reply(state->sptr, ERR_UPASSNOTSET, state->chptr->chname, state->chptr->chname);
2974       return;
2975     }
2976     /* cannot set a +U password that is the same as +A */
2977     if (state->dir == MODE_ADD && !ircd_strcmp(state->chptr->mode.apass, t_str)) {
2978       send_reply(state->sptr, ERR_UPASS_SAME_APASS, state->chptr->chname);
2979       return;
2980     }
2981     /* can't add a upass if one is set, nor can one remove the wrong upass */
2982     if ((state->dir == MODE_ADD && *state->chptr->mode.upass) ||
2983         (state->dir == MODE_DEL &&
2984          ircd_strcmp(state->chptr->mode.upass, t_str))) {
2985       send_reply(state->sptr, ERR_KEYSET, state->chptr->chname);
2986       return;
2987     }
2988   }
2989
2990   if (!(state->flags & MODE_PARSE_WIPEOUT) && state->dir == MODE_ADD &&
2991       !ircd_strcmp(state->chptr->mode.upass, t_str))
2992     return; /* no upass change */
2993
2994   /* Skip if this is a burst, we have a Upass already and the new Upass is
2995    * after the old one alphabetically */
2996   if ((state->flags & MODE_PARSE_BURST) &&
2997       *(state->chptr->mode.upass) &&
2998       ircd_strcmp(state->chptr->mode.upass, t_str) <= 0)
2999     return;
3000
3001   if (state->flags & MODE_PARSE_BOUNCE) {
3002     if (*state->chptr->mode.upass) /* reset old upass */
3003       modebuf_mode_string(state->mbuf, MODE_DEL | flag_p[0],
3004                           state->chptr->mode.upass, 0);
3005     else /* remove new bogus upass */
3006       modebuf_mode_string(state->mbuf, MODE_ADD | flag_p[0], t_str, 0);
3007   } else /* send new upass */
3008     modebuf_mode_string(state->mbuf, state->dir | flag_p[0], t_str, 0);
3009
3010   if (state->flags & MODE_PARSE_SET) {
3011     if (state->dir == MODE_DEL) /* remove the old upass */
3012       *state->chptr->mode.upass = '\0';
3013     else
3014       ircd_strncpy(state->chptr->mode.upass, t_str, KEYLEN);
3015   }
3016 }
3017
3018 /*
3019  * Helper function to convert admin passes
3020  */
3021 static void
3022 mode_parse_apass(struct ParseState *state, ulong64 *flag_p)
3023 {
3024   struct Membership *memb;
3025   char *t_str;
3026
3027   if (MyUser(state->sptr) && state->max_args <= 0) /* drop if too many args */
3028     return;
3029
3030   if (state->parc <= 0) { /* warn if not enough args */
3031     if (MyUser(state->sptr))
3032       need_more_params(state->sptr, state->dir == MODE_ADD ? "MODE +A" :
3033                        "MODE -A");
3034     return;
3035   }
3036
3037   t_str = state->parv[state->args_used++]; /* grab arg */
3038   state->parc--;
3039   state->max_args--;
3040
3041   /* If they're not an oper, they can't change modes */
3042   if (state->flags & (MODE_PARSE_NOTOPER | MODE_PARSE_NOTMEMBER)) {
3043     send_notoper(state);
3044     return;
3045   }
3046
3047   if (MyUser(state->sptr)) {
3048     if (state->flags & MODE_PARSE_FORCE) {
3049       /* If an unprivileged oper is trying to force it, refuse. */
3050       if (!HasPriv(state->sptr, PRIV_APASS_OPMODE)) {
3051         send_reply(state->sptr, ERR_NOTMANAGER, state->chptr->chname,
3052                    state->chptr->chname);
3053         return;
3054       }
3055     } else {
3056       /* If they are not the channel manager, they are not allowed to change it. */
3057       if (!IsChannelManager(state->member)) {
3058         if (*state->chptr->mode.apass) {
3059           send_reply(state->sptr, ERR_NOTMANAGER, state->chptr->chname,
3060                      state->chptr->chname);
3061         } else {
3062           send_reply(state->sptr, ERR_NOMANAGER, state->chptr->chname,
3063                      (TStime() - state->chptr->creationtime < 172800) ?
3064                      "approximately 4-5 minutes" : "approximately 48 hours");
3065         }
3066         return;
3067       }
3068       /* Can't remove the Apass while Upass is still set. */
3069       if (state->dir == MODE_DEL && *state->chptr->mode.upass) {
3070         send_reply(state->sptr, ERR_UPASSSET, state->chptr->chname, state->chptr->chname);
3071         return;
3072       }
3073       /* Can't add an Apass if one is set, nor can one remove the wrong Apass. */
3074       if ((state->dir == MODE_ADD && *state->chptr->mode.apass) ||
3075           (state->dir == MODE_DEL && ircd_strcmp(state->chptr->mode.apass, t_str))) {
3076         send_reply(state->sptr, ERR_KEYSET, state->chptr->chname);
3077         return;
3078       }
3079     }
3080
3081     /* Forbid removing the Apass if the channel is older than 48 hours
3082      * unless an oper is doing it. */
3083     if (TStime() - state->chptr->creationtime >= 172800
3084         && state->dir == MODE_DEL
3085         && !IsAnOper(state->sptr)) {
3086       send_reply(state->sptr, ERR_CHANSECURED, state->chptr->chname);
3087       return;
3088     }
3089   }
3090
3091   /* allow removing and then adding apass, but not adding and then removing */
3092   if (state->dir == MODE_ADD)
3093   {
3094     if (state->done & DONE_APASS_ADD)
3095       return;
3096     state->done |= DONE_APASS_ADD;
3097   }
3098   else
3099   {
3100     if (state->done & (DONE_APASS_ADD | DONE_APASS_DEL))
3101       return;
3102     state->done |= DONE_APASS_DEL;
3103   }
3104
3105   /* If the Apass is invalid, tell the user and bail. */
3106   if (!is_clean_key(state, t_str, state->dir == MODE_ADD ? "MODE +A" :
3107                     "MODE -A"))
3108     return;
3109
3110   if (!state->mbuf)
3111     return;
3112
3113   if (!(state->flags & MODE_PARSE_WIPEOUT) && state->dir == MODE_ADD &&
3114       !ircd_strcmp(state->chptr->mode.apass, t_str))
3115     return; /* no apass change */
3116
3117   /* Skip if this is a burst, we have an Apass already and the new Apass is
3118    * after the old one alphabetically */
3119   if ((state->flags & MODE_PARSE_BURST) &&
3120       *(state->chptr->mode.apass) &&
3121       ircd_strcmp(state->chptr->mode.apass, t_str) <= 0)
3122     return;
3123
3124   if (state->flags & MODE_PARSE_BOUNCE) {
3125     if (*state->chptr->mode.apass) /* reset old apass */
3126       modebuf_mode_string(state->mbuf, MODE_DEL | flag_p[0],
3127                           state->chptr->mode.apass, 0);
3128     else /* remove new bogus apass */
3129       modebuf_mode_string(state->mbuf, MODE_ADD | flag_p[0], t_str, 0);
3130   } else /* send new apass */
3131     modebuf_mode_string(state->mbuf, state->dir | flag_p[0], t_str, 0);
3132
3133   if (state->flags & MODE_PARSE_SET) {
3134     if (state->dir == MODE_ADD) { /* set the new apass */
3135       /* Only accept the new apass if there is no current apass or
3136        * this is a BURST. */
3137       if (state->chptr->mode.apass[0] == '\0' ||
3138           (state->flags & MODE_PARSE_BURST))
3139         ircd_strncpy(state->chptr->mode.apass, t_str, KEYLEN);
3140       /* Make it VERY clear to the user that this is a one-time password */
3141       if (MyUser(state->sptr)) {
3142         send_reply(state->sptr, RPL_APASSWARN_SET, state->chptr->mode.apass);
3143         send_reply(state->sptr, RPL_APASSWARN_SECRET, state->chptr->chname,
3144                    state->chptr->mode.apass);
3145       }
3146       /* Give the channel manager level 0 ops.
3147          There should not be tested for IsChannelManager here because
3148          on the local server it is impossible to set the apass if one
3149          isn't a channel manager and remote servers might need to sync
3150          the oplevel here: when someone creates a channel (and becomes
3151          channel manager) during a net.break, and only sets the Apass
3152          after the net rejoined, they will have oplevel MAXOPLEVEL on
3153          all remote servers. */
3154       if (state->member)
3155         SetOpLevel(state->member, 0);
3156     } else { /* remove the old apass */
3157       *state->chptr->mode.apass = '\0';
3158       /* Clear Upass so that there is never a Upass set when a zannel is burst. */
3159       *state->chptr->mode.upass = '\0';
3160       if (MyUser(state->sptr))
3161         send_reply(state->sptr, RPL_APASSWARN_CLEAR);
3162       /* Revert everyone to MAXOPLEVEL. */
3163       for (memb = state->chptr->members; memb; memb = memb->next_member) {
3164         if (memb->status & MODE_CHANOP)
3165           SetOpLevel(memb, MAXOPLEVEL);
3166       }
3167     }
3168   }
3169 }
3170
3171 /** Compare one ban's extent to another.
3172  * This works very similarly to mmatch() but it knows about CIDR masks
3173  * and ban exceptions.  If both bans are CIDR-based, compare their
3174  * address bits; otherwise, use mmatch().
3175  * @param[in] old_ban One ban.
3176  * @param[in] new_ban Another ban.
3177  * @return Zero if \a old_ban is a superset of \a new_ban, non-zero otherwise.
3178  */
3179 static int
3180 bmatch(struct Ban *old_ban, struct Ban *new_ban)
3181 {
3182   int res;
3183   assert(old_ban != NULL);
3184   assert(new_ban != NULL);
3185   /* A ban is never treated as a superset of an exception and vice versa. */
3186   if(((old_ban->flags & BAN_EXCEPTION) && !(new_ban->flags & BAN_EXCEPTION))
3187      || (!(old_ban->flags & BAN_EXCEPTION) && (new_ban->flags & BAN_EXCEPTION)))
3188     return 1;
3189   /* If either is not an address mask, match the text masks. */
3190   if ((old_ban->flags & new_ban->flags & BAN_IPMASK) == 0)
3191     return mmatch(old_ban->banstr, new_ban->banstr);
3192   /* If the old ban has a longer prefix than new, it cannot be a superset. */
3193   if (old_ban->addrbits > new_ban->addrbits)
3194     return 1;
3195   /* Compare the masks before the hostname part.  */
3196   old_ban->banstr[old_ban->nu_len] = new_ban->banstr[new_ban->nu_len] = '\0';
3197   res = mmatch(old_ban->banstr, new_ban->banstr);
3198   old_ban->banstr[old_ban->nu_len] = new_ban->banstr[new_ban->nu_len] = '@';
3199   if (res)
3200     return res;
3201   /* If the old ban's mask mismatches, cannot be a superset. */
3202   if (!ipmask_check(&new_ban->address, &old_ban->address, old_ban->addrbits))
3203     return 1;
3204   /* Otherwise it depends on whether the old ban's text is a superset
3205    * of the new. */
3206   return mmatch(old_ban->banstr, new_ban->banstr);
3207 }
3208
3209 /** Add a ban from a ban list and mark bans that should be removed
3210  * because they overlap.
3211  *
3212  * There are three invariants for a ban list.  First, no ban may be
3213  * more specific than another ban.  Second, no exception may be more
3214  * specific than another exception.  Finally, no ban may be more
3215  * specific than any exception.
3216  *
3217  * @param[in,out] banlist Pointer to head of list.
3218  * @param[in] newban Ban (or exception) to add (or remove).
3219  * @param[in] do_free If non-zero, free \a newban on failure.
3220  * @return Zero if \a newban could be applied, non-zero if not.
3221  */
3222 int apply_ban(struct Ban **banlist, struct Ban *newban, int do_free)
3223 {
3224   struct Ban *ban;
3225   size_t count = 0;
3226
3227   assert(newban->flags & (BAN_ADD|BAN_DEL));
3228   if (newban->flags & BAN_ADD) {
3229     size_t totlen = 0;
3230     /* If a less specific *active* entry is found, fail.  */
3231     for (ban = *banlist; ban; ban = ban->next) {
3232       if (!bmatch(ban, newban) && !(ban->flags & BAN_DEL)) {
3233         if (do_free)
3234           free_ban(newban);
3235         return 1;
3236       }
3237       if (!(ban->flags & (BAN_OVERLAPPED|BAN_DEL))) {
3238         count++;
3239         totlen += strlen(ban->banstr);
3240       }
3241     }
3242     /* Mark more specific entries and add this one to the end of the list. */
3243     while ((ban = *banlist) != NULL) {
3244       if (!bmatch(newban, ban)) {
3245         ban->flags |= BAN_OVERLAPPED | BAN_DEL;
3246       }
3247       banlist = &ban->next;
3248     }
3249     *banlist = newban;
3250     return 0;
3251   } else if (newban->flags & BAN_DEL) {
3252     size_t remove_count = 0;
3253     /* Mark more specific entries. */
3254     for (ban = *banlist; ban; ban = ban->next) {
3255       if (!bmatch(newban, ban)) {
3256         ban->flags |= BAN_OVERLAPPED | BAN_DEL;
3257         remove_count++;
3258       }
3259     }
3260     if (remove_count)
3261         return 0;
3262     /* If no matches were found, fail. */
3263     if (do_free)
3264       free_ban(newban);
3265     return 3;
3266   }
3267   if (do_free)
3268     free_ban(newban);
3269   return 4;
3270 }
3271
3272 /* Removes MODE_WASDELJOINS in a channel.
3273  * Reveals all hidden users.
3274  */
3275 static void reveal_hidden_chan_users(struct ParseState *state, ulong64 *flag_p) {
3276     struct Membership *member;
3277
3278     /* If the channel is not +d, do nothing. */
3279     if(!(state->chptr->mode.mode & MODE_WASDELJOINS)) return;
3280
3281     /* Iterate through all members and reveal them if they are hidden. */
3282     for(member = state->chptr->members; member; member = member->next_member) {
3283         if(IsDelayedJoin(member) && !IsInvisibleJoin(member)) {
3284             RevealDelayedJoin(member);
3285         }
3286     }
3287 }
3288
3289 /* Handle MODE_AUDITORIUM changes 
3290  * set Delayed for all hidden users on MODE_DEL
3291  * part all nonoped users on MODE_ADD
3292  */
3293 static void audit_chan_users(struct ParseState *state, ulong64 *flag_p) {
3294         struct Membership *member;
3295         if (state->dir == MODE_ADD) {
3296                 for(member = state->chptr->members; member; member = member->next_member) {
3297                         if(!IsChanOpOrHalfOp(member) && !HasVoice(member)) {
3298                                 sendcmdto_channel_butserv_butone(member->user, CMD_PART, member->channel, member->user, SKIP_OPS, "%H :%s", member->channel, "mode +u set.");
3299                         }
3300                 }
3301         } else {
3302                 for(member = state->chptr->members; member; member = member->next_member) {
3303                         if(!IsChanOpOrHalfOp(member) && !HasVoice(member)) {
3304                                 sendcmdto_channel_butserv_butone(member->user, CMD_JOIN, member->channel, member->user, SKIP_OPS, ":%H", member->channel);
3305                         }
3306                 }
3307         }
3308 }
3309
3310
3311 /*
3312  * Helper function to convert bans
3313  */
3314 static void
3315 mode_parse_ban(struct ParseState *state, ulong64 *flag_p)
3316 {
3317   char *t_str, *s;
3318   struct Ban *ban, *newban;
3319
3320   if (state->parc <= 0) { /* Not enough args, send ban list */
3321     if (MyUser(state->sptr) && !(state->done & DONE_BANLIST)) {
3322       send_ban_list(state->sptr, state->chptr);
3323       state->done |= DONE_BANLIST;
3324     }
3325     return;
3326   }
3327
3328   if (MyUser(state->sptr) && state->max_args <= 0) /* drop if too many args */
3329     return;
3330
3331   t_str = state->parv[state->args_used++]; /* grab arg */
3332   state->parc--;
3333   state->max_args--;
3334
3335   /* If they're not an oper, they can't change modes */
3336   if (state->flags & (MODE_PARSE_NOTOPER | MODE_PARSE_NOTMEMBER)) {
3337     send_notoper(state);
3338     return;
3339   }
3340
3341   if ((s = strchr(t_str, ' ')))
3342     *s = '\0';
3343
3344   if (!*t_str || *t_str == ':') { /* warn if empty */
3345     if (MyUser(state->sptr))
3346       need_more_params(state->sptr, state->dir == MODE_ADD ? "MODE +b" :
3347                        "MODE -b");
3348     return;
3349   }
3350
3351   /* Clear all ADD/DEL/OVERLAPPED flags from ban list. */
3352   if (!(state->done & DONE_BANCLEAN)) {
3353     for (ban = state->chptr->banlist; ban; ban = ban->next)
3354       ban->flags &= ~(BAN_ADD | BAN_DEL | BAN_OVERLAPPED);
3355     state->done |= DONE_BANCLEAN;
3356   }
3357
3358   /* remember the ban for the moment... */
3359   newban = state->banlist + (state->numbans++);
3360   newban->next = 0;
3361   newban->flags = ((state->dir == MODE_ADD) ? BAN_ADD : BAN_DEL)
3362       | (*flag_p == MODE_BAN ? 0 : BAN_EXCEPTION);
3363   set_ban_mask(newban, collapse(pretty_mask(t_str)));
3364   ircd_strncpy(newban->who, IsUser(state->sptr) ? cli_name(state->sptr) : "*", NICKLEN);
3365   newban->when = TStime();
3366   apply_ban(&state->chptr->banlist, newban, 0);
3367 }
3368
3369 /*
3370  * This is the bottom half of the ban processor
3371  */
3372 static void
3373 mode_process_bans(struct ParseState *state)
3374 {
3375   struct Ban *ban, *newban, *prevban, *nextban;
3376   int count = 0;
3377   int len = 0;
3378   int banlen;
3379   int changed = 0;
3380
3381   for (prevban = 0, ban = state->chptr->banlist; ban; ban = nextban) {
3382     count++;
3383     banlen = strlen(ban->banstr);
3384     len += banlen;
3385     nextban = ban->next;
3386
3387     if ((ban->flags & (BAN_DEL | BAN_ADD)) == (BAN_DEL | BAN_ADD)) {
3388       if (prevban)
3389         prevban->next = 0; /* Break the list; ban isn't a real ban */
3390       else
3391         state->chptr->banlist = 0;
3392
3393       count--;
3394       len -= banlen;
3395
3396       continue;
3397     } else if (ban->flags & BAN_DEL) { /* Deleted a ban? */
3398       char *bandup;
3399       DupString(bandup, ban->banstr);
3400       modebuf_mode_string(state->mbuf, MODE_DEL | MODE_BAN, bandup, 1);
3401
3402       if (state->flags & MODE_PARSE_SET) { /* Ok, make it take effect */
3403         if (prevban) /* clip it out of the list... */
3404           prevban->next = ban->next;
3405         else
3406           state->chptr->banlist = ban->next;
3407
3408         count--;
3409         len -= banlen;
3410         free_ban(ban);
3411
3412         changed++;
3413         continue; /* next ban; keep prevban like it is */
3414       } else
3415         ban->flags &= BAN_IPMASK; /* unset other flags */
3416     } else if (ban->flags & BAN_ADD) { /* adding a ban? */
3417       if (prevban)
3418         prevban->next = 0; /* Break the list; ban isn't a real ban */
3419       else
3420         state->chptr->banlist = 0;
3421
3422       /* If we're supposed to ignore it, do so. */
3423       if (ban->flags & BAN_OVERLAPPED &&
3424           !(state->flags & MODE_PARSE_BOUNCE)) {
3425         count--;
3426         len -= banlen;
3427       } else {
3428         if (state->flags & MODE_PARSE_SET && MyUser(state->sptr) &&
3429             (len > (feature_int(FEAT_AVBANLEN) * feature_int(FEAT_MAXBANS)) ||
3430              count > feature_int(FEAT_MAXBANS))) {
3431           send_reply(state->sptr, ERR_BANLISTFULL, state->chptr->chname,
3432                      ban->banstr);
3433           count--;
3434           len -= banlen;
3435         } else {
3436           char *bandup;
3437           /* add the ban to the buffer */
3438           DupString(bandup, ban->banstr);
3439           modebuf_mode_string(state->mbuf, MODE_ADD | MODE_BAN, bandup, 1);
3440
3441           if (state->flags & MODE_PARSE_SET) { /* create a new ban */
3442             newban = make_ban(ban->banstr);
3443             strcpy(newban->who, ban->who);
3444             newban->when = ban->when;
3445             newban->flags = ban->flags & BAN_IPMASK;
3446
3447             newban->next = state->chptr->banlist; /* and link it in */
3448             state->chptr->banlist = newban;
3449
3450             changed++;
3451           }
3452         }
3453       }
3454     }
3455
3456     prevban = ban;
3457   } /* for (prevban = 0, ban = state->chptr->banlist; ban; ban = nextban) { */
3458
3459   if (changed) /* if we changed the ban list, we must invalidate the bans */
3460     mode_ban_invalidate(state->chptr);
3461 }
3462
3463 /*
3464  * Helper function to process client changes
3465  */
3466 static void
3467 mode_parse_client(struct ParseState *state, ulong64 *flag_p)
3468 {
3469   char *t_str;
3470   char *colon;
3471   struct Client *acptr;
3472   struct Membership *member;
3473   int oplevel = MAXOPLEVEL + 1;
3474   int req_oplevel;
3475   int i;
3476
3477   if (MyUser(state->sptr) && state->max_args <= 0) /* drop if too many args */
3478     return;
3479
3480   if (state->parc <= 0) /* return if not enough args */
3481     return;
3482
3483   t_str = state->parv[state->args_used++]; /* grab arg */
3484   state->parc--;
3485   state->max_args--;
3486
3487   /* If they're not an oper, they can't change modes */
3488   if (state->flags & (MODE_PARSE_NOTOPER | MODE_PARSE_NOTMEMBER)) {
3489     send_notoper(state);
3490     return;
3491   }
3492
3493   if (MyUser(state->sptr)) {
3494     colon = strchr(t_str, ':');
3495     if (colon != NULL) {
3496       *colon++ = '\0';
3497       req_oplevel = atoi(colon);
3498       if (*flag_p == CHFL_VOICE || *flag_p == CHFL_HALFOP || state->dir == MODE_DEL) {
3499         /* Ignore the colon and its argument. */
3500       } else if (!(state->flags & MODE_PARSE_FORCE)
3501           && state->member
3502           && (req_oplevel < OpLevel(state->member)
3503               || (req_oplevel == OpLevel(state->member)
3504                   && OpLevel(state->member) < MAXOPLEVEL)
3505               || req_oplevel > MAXOPLEVEL)) {
3506         send_reply(state->sptr, ERR_NOTLOWEROPLEVEL,
3507                    t_str, state->chptr->chname,
3508                    OpLevel(state->member), req_oplevel, "op",
3509                    OpLevel(state->member) == req_oplevel ? "the same" : "a higher");
3510       } else if (req_oplevel <= MAXOPLEVEL)
3511         oplevel = req_oplevel;
3512     }
3513     if(*flag_p == CHFL_CHANOP && state->member && !IsChanOp(state->member)) {
3514         send_notoper(state);
3515         return;
3516     }
3517     /* find client we're manipulating */
3518     acptr = find_chasing(state->sptr, t_str, NULL);
3519   } else {
3520     if (t_str[5] == ':') {
3521       t_str[5] = '\0';
3522       oplevel = atoi(t_str + 6);
3523     }
3524     acptr = findNUser(t_str);
3525   }
3526
3527   if (!acptr)
3528     return; /* find_chasing() already reported an error to the user */
3529
3530   for (i = 0; i < MAXPARA; i++) /* find an element to stick them in */
3531     if (!state->cli_change[i].flag || (state->cli_change[i].client == acptr &&
3532                                        state->cli_change[i].flag & flag_p[0]))
3533       break; /* found a slot */
3534
3535   /* If we are going to bounce this deop, mark the correct oplevel. */
3536   if (state->flags & MODE_PARSE_BOUNCE
3537       && state->dir == MODE_DEL
3538       && flag_p[0] == MODE_CHANOP
3539       && (member = find_member_link(state->chptr, acptr)))
3540       oplevel = OpLevel(member);
3541
3542   /* Store what we're doing to them */
3543   state->cli_change[i].flag = state->dir | flag_p[0];
3544   state->cli_change[i].oplevel = oplevel;
3545   state->cli_change[i].client = acptr;
3546 }
3547
3548 /*
3549  * Helper function to process the changed client list
3550  */
3551 static void
3552 mode_process_clients(struct ParseState *state)
3553 {
3554   int i;
3555   struct Membership *member;
3556
3557   for (i = 0; state->cli_change[i].flag; i++) {
3558     assert(0 != state->cli_change[i].client);
3559
3560     /* look up member link */
3561     if (!(member = find_member_link(state->chptr,
3562                                     state->cli_change[i].client)) ||
3563         (MyUser(state->sptr) && IsZombie(member))) {
3564       if (MyUser(state->sptr))
3565         send_reply(state->sptr, ERR_USERNOTINCHANNEL,
3566                    cli_name(state->cli_change[i].client),
3567                    state->chptr->chname);
3568       continue;
3569     }
3570         if (member && (IsInvisibleJoin(member) &&  state->cli_change[i].client != state->sptr) && IsDelayedJoin(member)) {
3571         if (MyUser(state->sptr))
3572         send_reply(state->sptr, ERR_USERNOTINCHANNEL,
3573                    cli_name(state->cli_change[i].client),
3574                    state->chptr->chname);
3575       continue;
3576         }
3577
3578     if ((state->cli_change[i].flag & MODE_ADD &&
3579          (state->cli_change[i].flag & member->status)) ||
3580         (state->cli_change[i].flag & MODE_DEL &&
3581          !(state->cli_change[i].flag & member->status)))
3582       continue; /* no change made, don't do anything */
3583
3584     /* see if the deop is allowed */
3585     if ((state->cli_change[i].flag & (MODE_DEL | MODE_CHANOP)) ==
3586         (MODE_DEL | MODE_CHANOP)) {
3587       /* Prevent +k users from being deopped, but allow extra ops to deop
3588        * +k users. We do not prevent deopping _REAL_ services because /opmode
3589        * will always allow this.
3590        */
3591       if(IsChannelService(state->cli_change[i].client) && !IsXtraOp(state->sptr) && state->sptr != state->cli_change[i].client) {
3592         if (state->flags & MODE_PARSE_FORCE) /* it was forced */
3593           sendto_opmask_butone(0, SNO_HACK4, "Deop of +k user on %H by %s",
3594                                state->chptr,
3595                                (IsServer(state->sptr) ? cli_name(state->sptr) :
3596                                 cli_name((cli_user(state->sptr))->server)));
3597
3598         else if (MyUser(state->sptr) && state->flags & MODE_PARSE_SET) {
3599           send_reply(state->sptr, ERR_ISCHANSERVICE,
3600                      cli_name(state->cli_change[i].client),
3601                      state->chptr->chname);
3602           continue;
3603         }
3604       }
3605
3606       /* check deop for local user */
3607       if (MyUser(state->sptr)) {
3608
3609         /* don't allow local opers to be deopped on local channels */
3610         if (state->cli_change[i].client != state->sptr &&
3611             IsLocalChannel(state->chptr->chname) &&
3612             HasPriv(state->cli_change[i].client, PRIV_DEOP_LCHAN)) {
3613           send_reply(state->sptr, ERR_ISOPERLCHAN,
3614                      cli_name(state->cli_change[i].client),
3615                      state->chptr->chname);
3616           continue;
3617         }
3618
3619         /* Forbid deopping other members with an oplevel less than
3620          * one's own level, and other members with an oplevel the same
3621          * as one's own unless both are at MAXOPLEVEL. */
3622         if (state->sptr != state->cli_change[i].client
3623             && state->member
3624             && ((OpLevel(member) < OpLevel(state->member))
3625                 || (OpLevel(member) == OpLevel(state->member)
3626                     && OpLevel(member) < MAXOPLEVEL))) {
3627             int equal = (OpLevel(member) == OpLevel(state->member));
3628             send_reply(state->sptr, ERR_NOTLOWEROPLEVEL,
3629                        cli_name(state->cli_change[i].client),
3630                        state->chptr->chname,
3631                        OpLevel(state->member), OpLevel(member),
3632                        "deop", equal ? "the same" : "a higher");
3633           continue;
3634         }
3635       }
3636     }
3637
3638     /* set op-level of member being opped */
3639     if ((state->cli_change[i].flag & (MODE_ADD | MODE_CHANOP)) ==
3640         (MODE_ADD | MODE_CHANOP)) {
3641       /* If a valid oplevel was specified, use it.
3642        * Otherwise, if being opped by an outsider, get MAXOPLEVEL.
3643        * Otherwise, if not an apass channel, or state->member has
3644        *   MAXOPLEVEL, get oplevel MAXOPLEVEL.
3645        * Otherwise, get state->member's oplevel+1.
3646        */
3647       if (state->cli_change[i].oplevel <= MAXOPLEVEL)
3648         SetOpLevel(member, state->cli_change[i].oplevel);
3649       else if (!state->member)
3650         SetOpLevel(member, MAXOPLEVEL);
3651       else if (OpLevel(state->member) >= MAXOPLEVEL)
3652           SetOpLevel(member, OpLevel(state->member));
3653       else
3654         SetOpLevel(member, OpLevel(state->member) + 1);
3655     }
3656         
3657         int user_visible = (member->status & CHFL_VOICED_OR_OPPED);
3658         
3659     /* actually effect the change */
3660     if (state->flags & MODE_PARSE_SET) {
3661       if (state->cli_change[i].flag & MODE_ADD) {
3662         if (IsDelayedJoin(member) && !IsZombie(member))
3663           RevealDelayedJoin(member);
3664         member->status |= (state->cli_change[i].flag &
3665                            (MODE_CHANOP | MODE_HALFOP | MODE_VOICE));
3666         if (state->cli_change[i].flag & MODE_CHANOP)
3667           ClearDeopped(member);
3668       } else
3669         member->status &= ~(state->cli_change[i].flag &
3670                             (MODE_CHANOP | MODE_HALFOP | MODE_VOICE));
3671     }
3672
3673     /* accumulate the change */
3674     modebuf_mode_client(state->mbuf, state->cli_change[i].flag,
3675                         state->cli_change[i].client,
3676                         state->cli_change[i].oplevel);
3677         
3678         if((member->channel->mode.mode & MODE_AUDITORIUM)) {
3679                 //join or part the user
3680                 if((member->status & CHFL_VOICED_OR_OPPED) && !user_visible) {
3681                         sendcmdto_channel_butserv_butone(member->user, CMD_JOIN, member->channel, member->user, SKIP_OPS, ":%H", member->channel);
3682                 } else if(!(member->status & CHFL_VOICED_OR_OPPED) && user_visible) {
3683                         sendcmdto_channel_butserv_butone(member->user, CMD_PART, member->channel, member->user, SKIP_OPS, "%H :%s", member->channel, "user deoped/devoiced on a +u channel.");
3684                 }
3685                 if(MyUser(member->user) && (state->cli_change[i].flag & (MODE_CHANOP | MODE_HALFOP))) {
3686                         //do_names(member->user, member->channel, NAMES_ALL|NAMES_EON|((member->status & MODE_CHANOP) ? 0 : NAMES_OPS));
3687                         //this is not working for all users :(  so we have to send join/part events
3688                         struct Membership *member2;
3689                         if (state->cli_change[i].flag & MODE_ADD) {
3690                                 //JOIN events
3691                                 for(member2 = state->chptr->members; member2; member2 = member2->next_member) {
3692                                         if(!IsChanOpOrHalfOp(member2) && !HasVoice(member2)) {
3693                                                 sendcmdto_one(member2->user, CMD_JOIN, member->user, ":%H", member->channel);
3694                                         }
3695                                 }
3696                         } else {
3697                                 //PART events
3698                                 for(member2 = state->chptr->members; member2; member2 = member2->next_member) {
3699                                         if(!IsChanOpOrHalfOp(member2) && !HasVoice(member2) && member != member2) {
3700                                                 sendcmdto_one(member2->user, CMD_PART, member->user, "%H :%s", member->channel, "invisible user on +u channel.");
3701                                         }
3702                                 }
3703                         }
3704                 }
3705         }
3706   } /* for (i = 0; state->cli_change[i].flags; i++) */
3707 }
3708
3709 /*
3710  * Helper function to process the simple modes
3711  */
3712 static void
3713 mode_parse_mode(struct ParseState *state, ulong64 *flag_p)
3714 {
3715   /* If they're not an oper, they can't change modes */
3716   if (state->flags & (MODE_PARSE_NOTOPER | MODE_PARSE_NOTMEMBER)) {
3717     send_notoper(state);
3718     return;
3719   }
3720
3721   if (!state->mbuf)
3722     return;
3723
3724   /* Local users are not permitted to change registration status */
3725   if (flag_p[0] == MODE_REGISTERED && !(state->flags & MODE_PARSE_FORCE) && MyUser(state->sptr))
3726     return;
3727         
3728   if(flag_p[0] == MODE_AUDITORIUM)
3729     audit_chan_users(state, flag_p);
3730
3731   if (state->dir == MODE_ADD) {
3732     state->add |= flag_p[0];
3733     state->del &= ~flag_p[0];
3734
3735     if (flag_p[0] & MODE_SECRET) {
3736       state->add &= ~MODE_PRIVATE;
3737       state->del |= MODE_PRIVATE;
3738     } else if (flag_p[0] & MODE_PRIVATE) {
3739       state->add &= ~MODE_SECRET;
3740       state->del |= MODE_SECRET;
3741     }
3742   } else {
3743     state->add &= ~flag_p[0];
3744     state->del |= flag_p[0];
3745   }
3746
3747   assert(0 == (state->add & state->del));
3748   assert((MODE_SECRET | MODE_PRIVATE) !=
3749          (state->add & (MODE_SECRET | MODE_PRIVATE)));
3750 }
3751
3752 /**
3753  * This routine is intended to parse MODE or OPMODE commands and effect the
3754  * changes (or just build the bounce buffer).
3755  *
3756  * \param[out] mbuf Receives parsed representation of mode change.
3757  * \param[in] cptr Connection that sent the message to this server.
3758  * \param[in] sptr Original source of the message.
3759  * \param[in] chptr Channel whose modes are being changed.
3760  * \param[in] parc Number of valid strings in \a parv.
3761  * \param[in] parv Text arguments representing mode change, with the
3762  *   zero'th element containing a string like "+m" or "-o".
3763  * \param[in] flags Set of bitwise MODE_PARSE_* flags.
3764  * \param[in] member If non-null, the channel member attempting to change the modes.
3765  */
3766 int
3767 mode_parse(struct ModeBuf *mbuf, struct Client *cptr, struct Client *sptr,
3768            struct Channel *chptr, int parc, char *parv[], unsigned int flags,
3769            struct Membership* member)
3770 {
3771   static ulong64 chan_flags[] = {
3772     MODE_CHANOP,        'o',
3773     MODE_HALFOP,    'h',
3774     MODE_VOICE,         'v',
3775     MODE_PRIVATE,       'p',
3776     MODE_SECRET,        's',
3777     MODE_MODERATED,     'm',
3778     MODE_TOPICLIMIT,    't',
3779     MODE_INVITEONLY,    'i',
3780     MODE_NOPRIVMSGS,    'n',
3781     MODE_KEY,           'k',
3782     MODE_APASS,         'A',
3783     MODE_UPASS,         'U',
3784     MODE_REGISTERED,    'R',
3785     MODE_BAN,           'b',
3786     MODE_LIMIT,         'l',
3787     MODE_REGONLY,       'r',
3788     MODE_DELJOINS,      'D',
3789     MODE_WASDELJOINS,   'd',
3790     MODE_PERSIST,       'z',
3791     MODE_NOCOLOUR,      'c',
3792     MODE_NOCTCP,        'C',
3793     MODE_NOAMSGS,       'M',
3794         MODE_NONOTICE,      'N',
3795         MODE_QUARANTINE,      'Q',
3796         MODE_ALTCHAN,        'F',
3797     MODE_ACCESS,        'a',
3798         MODE_AUDITORIUM,    'u',
3799     MODE_SSLCHAN,       'S',
3800         MODE_NOFLOOD,       'f',
3801     MODE_ADD,           '+',
3802     MODE_DEL,           '-',
3803     0x0, 0x0
3804   };
3805   int i;
3806   ulong64 *flag_p;
3807   ulong64 t_mode;
3808   char *modestr;
3809   struct ParseState state;
3810
3811   assert(0 != cptr);
3812   assert(0 != sptr);
3813   assert(0 != chptr);
3814   assert(0 != parc);
3815   assert(0 != parv);
3816
3817   state.mbuf = mbuf;
3818   state.cptr = cptr;
3819   state.sptr = sptr;
3820   state.chptr = chptr;
3821   state.member = member;
3822   state.parc = parc;
3823   state.parv = parv;
3824   state.flags = flags;
3825   state.dir = MODE_ADD;
3826   state.done = 0;
3827   state.add = 0;
3828   state.del = 0;
3829   state.args_used = 0;
3830   state.max_args = MAXMODEPARAMS;
3831   state.numbans = 0;
3832
3833   for (i = 0; i < MAXPARA; i++) { /* initialize ops/voices arrays */
3834     state.banlist[i].next = 0;
3835     state.banlist[i].who[0] = '\0';
3836     state.banlist[i].when = 0;
3837     state.banlist[i].flags = 0;
3838     state.cli_change[i].flag = 0;
3839     state.cli_change[i].client = 0;
3840   }
3841
3842   modestr = state.parv[state.args_used++];
3843   state.parc--;
3844
3845   while (*modestr) {
3846     for (; *modestr; modestr++) {
3847       for (flag_p = chan_flags; flag_p[0]; flag_p += 2) /* look up flag */
3848         if (flag_p[1] == *modestr)
3849           break;
3850
3851       if (!flag_p[0]) { /* didn't find it?  complain and continue */
3852         if (MyUser(state.sptr))
3853           send_reply(state.sptr, ERR_UNKNOWNMODE, *modestr);
3854         continue;
3855       }
3856
3857       switch (*modestr) {
3858       case '+': /* switch direction to MODE_ADD */
3859       case '-': /* switch direction to MODE_DEL */
3860         state.dir = flag_p[0];
3861         break;
3862
3863       case 'l': /* deal with limits */
3864         mode_parse_limit(&state, flag_p);
3865         break;
3866       case 'a': /* deal with limits */
3867         mode_parse_access(&state, flag_p);
3868         break;
3869           case 'F':
3870         mode_parse_altchan(&state, flag_p);
3871         break;
3872           case 'f':
3873         mode_parse_noflood(&state, flag_p);
3874         break;
3875       case 'Q':
3876       if(IsNetServ(state.sptr) && IsSecurityServ(state.sptr))
3877         mode_parse_mode(&state, flag_p);
3878         break;
3879       case 'k': /* deal with keys */
3880         mode_parse_key(&state, flag_p);
3881         break;
3882       case 'A': /* deal with Admin passes */
3883         if (IsServer(cptr) || feature_bool(FEAT_OPLEVELS))
3884         mode_parse_apass(&state, flag_p);
3885         break;
3886       case 'U': /* deal with user passes */
3887         if (IsServer(cptr) || feature_bool(FEAT_OPLEVELS))
3888         mode_parse_upass(&state, flag_p);
3889         break;
3890       case 'b': /* deal with bans */
3891         mode_parse_ban(&state, flag_p);
3892         break;
3893
3894       case 'd': /* deal with hidden members */
3895         reveal_hidden_chan_users(&state, flag_p);
3896         break;
3897
3898       case 'o': /* deal with ops/voice */
3899       case 'v':
3900         mode_parse_client(&state, flag_p);
3901         break;
3902       case 'h':
3903         if (IsServer(cptr) || feature_bool(FEAT_HALFOP))
3904     mode_parse_client(&state, flag_p);
3905         break;
3906       case 'z': /* remote clients are allowed to change +z */
3907         if(!MyUser(state.sptr) || (state.flags & MODE_PARSE_FORCE))
3908           mode_parse_mode(&state, flag_p);
3909         break;
3910           case 'O': /* remote clients are allowed to change +z */
3911             //struct User* user = cli_user(cptr);
3912                 //|| (chptr.chanowner && IsAccount(cptr) && chptr.chanowner == user->account)
3913         if(!MyUser(state.sptr) || (state.flags & MODE_PARSE_FORCE) )
3914           mode_parse_mode(&state, flag_p);
3915         break;
3916
3917       default: /* deal with other modes */
3918         mode_parse_mode(&state, flag_p);
3919         break;
3920       } /* switch (*modestr) */
3921     } /* for (; *modestr; modestr++) */
3922
3923     if (state.flags & MODE_PARSE_BURST)
3924       break; /* don't interpret any more arguments */
3925
3926     if (state.parc > 0) { /* process next argument in string */
3927       modestr = state.parv[state.args_used++];
3928       state.parc--;
3929
3930       /* is it a TS? */
3931       if (IsServer(state.cptr) && !state.parc && IsDigit(*modestr)) {
3932         time_t recv_ts;
3933
3934         if (!(state.flags & MODE_PARSE_SET))      /* don't set earlier TS if */
3935           break;                     /* we're then going to bounce the mode! */
3936
3937         recv_ts = atoi(modestr);
3938
3939         if (recv_ts && recv_ts < state.chptr->creationtime)
3940           state.chptr->creationtime = recv_ts; /* respect earlier TS */
3941         else if (recv_ts > state.chptr->creationtime) {
3942           struct Client *sserv;
3943
3944           /* Check whether the originating server has fully processed
3945            * the burst to it. */
3946           sserv = state.cptr;
3947           if (!IsServer(sserv))
3948               sserv = cli_user(sserv)->server;
3949           if (IsBurstOrBurstAck(sserv)) {
3950             /* This is a legal but unusual case; the source server
3951              * probably just has not processed the BURST for this
3952              * channel.  It SHOULD wipe out all its modes soon, so
3953              * silently ignore the mode change rather than send a
3954              * bounce that could desync modes from our side (that
3955              * have already been sent).
3956              */
3957             state.mbuf->mb_add = 0;
3958             state.mbuf->mb_rem = 0;
3959             state.mbuf->mb_count = 0;
3960             return state.args_used;
3961           } else {
3962             /* Server is desynced; bounce the mode and deop the source
3963              * to fix it. */
3964             state.flags &= ~MODE_PARSE_SET;
3965             state.flags |= MODE_PARSE_BOUNCE;
3966             state.mbuf->mb_dest &= ~(MODEBUF_DEST_CHANNEL | MODEBUF_DEST_HACK4);
3967             state.mbuf->mb_dest |= MODEBUF_DEST_BOUNCE | MODEBUF_DEST_HACK2;
3968             if (!IsServer(state.cptr))
3969               state.mbuf->mb_dest |= MODEBUF_DEST_DEOP;
3970           }
3971         }
3972
3973         break; /* break out of while loop */
3974       } else if (state.flags & MODE_PARSE_STRICT ||
3975                  (MyUser(state.sptr) && state.max_args <= 0)) {
3976         state.parc++; /* we didn't actually gobble the argument */
3977         state.args_used--;
3978         break; /* break out of while loop */
3979       }
3980     }
3981   } /* while (*modestr) */
3982
3983   /*
3984    * the rest of the function finishes building resultant MODEs; if the
3985    * origin isn't a member or an oper, skip it.
3986    */
3987   if (!state.mbuf || state.flags & (MODE_PARSE_NOTOPER | MODE_PARSE_NOTMEMBER))
3988     return state.args_used; /* tell our parent how many args we gobbled */
3989
3990   t_mode = state.chptr->mode.mode;
3991
3992   if (state.del & t_mode) { /* delete any modes to be deleted... */
3993     modebuf_mode(state.mbuf, MODE_DEL | (state.del & t_mode));
3994
3995     t_mode &= ~state.del;
3996   }
3997   if (state.add & ~t_mode) { /* add any modes to be added... */
3998     modebuf_mode(state.mbuf, MODE_ADD | (state.add & ~t_mode));
3999
4000     t_mode |= state.add;
4001   }
4002
4003   if (state.flags & MODE_PARSE_SET) { /* set the channel modes */
4004     if ((state.chptr->mode.mode & MODE_INVITEONLY) &&
4005         !(t_mode & MODE_INVITEONLY))
4006       mode_invite_clear(state.chptr);
4007
4008     state.chptr->mode.mode = t_mode;
4009   }
4010
4011   if (state.flags & MODE_PARSE_WIPEOUT) {
4012     if (state.chptr->mode.limit && !(state.done & DONE_LIMIT))
4013       modebuf_mode_uint(state.mbuf, MODE_DEL | MODE_LIMIT,
4014                         state.chptr->mode.limit);
4015     if (state.chptr->mode.access && !(state.done & DONE_ACCESS))
4016       modebuf_mode_uint(state.mbuf, MODE_DEL | MODE_ACCESS,
4017                         state.chptr->mode.access);
4018     if (state.chptr->mode.altchan && !(state.done & DONE_ALTCHAN))
4019       modebuf_mode_string(state.mbuf, MODE_DEL | MODE_ALTCHAN,
4020                         state.chptr->mode.altchan, 0);
4021         if (state.chptr->mode.noflood && !(state.done & DONE_NOFLOOD))
4022       modebuf_mode_string(state.mbuf, MODE_DEL | MODE_NOFLOOD,
4023                         state.chptr->mode.noflood, 0);
4024     if (*state.chptr->mode.key && !(state.done & DONE_KEY_DEL))
4025       modebuf_mode_string(state.mbuf, MODE_DEL | MODE_KEY,
4026                           state.chptr->mode.key, 0);
4027     if (*state.chptr->mode.upass && !(state.done & DONE_UPASS_DEL))
4028       modebuf_mode_string(state.mbuf, MODE_DEL | MODE_UPASS,
4029                           state.chptr->mode.upass, 0);
4030     if (*state.chptr->mode.apass && !(state.done & DONE_APASS_DEL))
4031       modebuf_mode_string(state.mbuf, MODE_DEL | MODE_APASS,
4032                           state.chptr->mode.apass, 0);
4033   }
4034
4035   if (state.done & DONE_BANCLEAN) /* process bans */
4036     mode_process_bans(&state);
4037
4038   /* process client changes */
4039   if (state.cli_change[0].flag)
4040     mode_process_clients(&state);
4041
4042   return state.args_used; /* tell our parent how many args we gobbled */
4043 }
4044
4045 /*
4046  * Initialize a join buffer
4047  */
4048 void
4049 joinbuf_init(struct JoinBuf *jbuf, struct Client *source,
4050              struct Client *connect, unsigned int type, char *comment,
4051              time_t create)
4052 {
4053   int i;
4054
4055   assert(0 != jbuf);
4056   assert(0 != source);
4057   assert(0 != connect);
4058
4059   jbuf->jb_source = source; /* just initialize struct JoinBuf */
4060   jbuf->jb_connect = connect;
4061   jbuf->jb_type = type;
4062   jbuf->jb_comment = comment;
4063   jbuf->jb_create = create;
4064   jbuf->jb_count = 0;
4065   jbuf->jb_strlen = (((type == JOINBUF_TYPE_JOIN ||
4066                        type == JOINBUF_TYPE_PART ||
4067                        type == JOINBUF_TYPE_PARTALL) ?
4068                       STARTJOINLEN : STARTCREATELEN) +
4069                      (comment ? strlen(comment) + 2 : 0));
4070
4071   for (i = 0; i < MAXJOINARGS; i++)
4072     jbuf->jb_channels[i] = 0;
4073 }
4074
4075 /*
4076  * Add a channel to the join buffer
4077  */
4078 void
4079 joinbuf_join(struct JoinBuf *jbuf, struct Channel *chan, unsigned int flags)
4080 {
4081   unsigned int len;
4082   int is_local;
4083
4084   assert(0 != jbuf);
4085
4086   if (!chan) {
4087     sendcmdto_serv_butone(jbuf->jb_source, CMD_JOIN, jbuf->jb_connect, "0");
4088     return;
4089   }
4090
4091   is_local = IsLocalChannel(chan->chname);
4092
4093   if (jbuf->jb_type == JOINBUF_TYPE_PART ||
4094       jbuf->jb_type == JOINBUF_TYPE_PARTALL) {
4095     struct Membership *member = find_member_link(chan, jbuf->jb_source);
4096     if (IsUserParting(member))
4097       return;
4098     SetUserParting(member);
4099
4100     /* Send notification to channel */
4101         if((chan->mode.mode & MODE_AUDITORIUM) && !(member->status & CHFL_VOICED_OR_OPPED)) {
4102           //send part to ops only
4103           sendcmdto_channel_butserv_butone(jbuf->jb_source, CMD_PART, chan, NULL, SKIP_NONOPS, "%H :%s", chan, jbuf->jb_comment);
4104           if(MyUser(jbuf->jb_source))
4105                   sendcmdto_one(jbuf->jb_source, CMD_PART, jbuf->jb_source, "%H :%s", chan, jbuf->jb_comment);
4106     } else if (!(flags & (CHFL_ZOMBIE | CHFL_DELAYED)))
4107       sendcmdto_channel_butserv_butone(jbuf->jb_source, CMD_PART, chan, NULL, 0,
4108                                 (flags & CHFL_BANNED || !jbuf->jb_comment) ?
4109                                 ":%H" : "%H :%s", chan, jbuf->jb_comment);
4110     else if (MyUser(jbuf->jb_source))
4111       sendcmdto_one(jbuf->jb_source, CMD_PART, jbuf->jb_source,
4112                     (flags & CHFL_BANNED || !jbuf->jb_comment) ?
4113                     ":%H" : "%H :%s", chan, jbuf->jb_comment);
4114     /* XXX: Shouldn't we send a PART here anyway? */
4115     /* to users on the channel?  Why?  From their POV, the user isn't on
4116      * the channel anymore anyway.  We don't send to servers until below,
4117      * when we gang all the channel parts together.  Note that this is
4118      * exactly the same logic, albeit somewhat more concise, as was in
4119      * the original m_part.c */
4120
4121     if (jbuf->jb_type == JOINBUF_TYPE_PARTALL ||
4122         is_local) /* got to remove user here */
4123       remove_user_from_channel(jbuf->jb_source, chan);
4124   } else {
4125     int oplevel = !chan->mode.apass[0] ? MAXOPLEVEL
4126         : (flags & CHFL_CHANNEL_MANAGER) ? 0
4127         : 1;
4128     /* Add user to channel */
4129     if (((chan->mode.mode & MODE_DELJOINS) && !(flags & CHFL_VOICED_OR_OPPED)) || ((flags & CHFL_INVISIBLE) && !(flags & CHFL_VOICED_OR_OPPED))) {
4130       add_user_to_channel(chan, jbuf->jb_source, flags | CHFL_DELAYED, oplevel);
4131     } else
4132       add_user_to_channel(chan, jbuf->jb_source, flags, oplevel);
4133
4134     /* send JOIN notification to all servers (CREATE is sent later). */
4135     if (jbuf->jb_type != JOINBUF_TYPE_CREATE && !is_local) {
4136          if ((flags & CHFL_INVISIBLE) && !(flags & CHFL_VOICED_OR_OPPED)) {
4137       sendcmdto_serv_butone(jbuf->jb_source, CMD_JOIN, jbuf->jb_connect,
4138                             "%H %Tu %i", chan, chan->creationtime, 1);
4139           } else {
4140           sendcmdto_serv_butone(jbuf->jb_source, CMD_JOIN, jbuf->jb_connect,
4141                             "%H %Tu %i", chan, chan->creationtime, 0);
4142           }
4143         }
4144         
4145         if((chan->mode.mode & MODE_AUDITORIUM) && !(flags & CHFL_VOICED_OR_OPPED)) {
4146                 //we have to send this JOIN event to ops only...                  
4147                 sendcmdto_channel_butserv_butone(jbuf->jb_source, CMD_JOIN, chan, NULL, SKIP_NONOPS, "%H", chan);
4148                 if(MyUser(jbuf->jb_source))
4149                   sendcmdto_one(jbuf->jb_source, CMD_JOIN, jbuf->jb_source, ":%H", chan);
4150         }
4151     else if (!((chan->mode.mode & MODE_DELJOINS) && !(flags & CHFL_VOICED_OR_OPPED)) && !((flags & CHFL_INVISIBLE) && !(flags & CHFL_VOICED_OR_OPPED))) {
4152       /* Send the notification to the channel */
4153       sendcmdto_channel_butserv_butone(jbuf->jb_source, CMD_JOIN, chan, NULL, 0, "%H", chan);
4154
4155       /* send an op, too, if needed */
4156       if (flags & CHFL_CHANOP && (oplevel < MAXOPLEVEL || !MyUser(jbuf->jb_source)))
4157         sendcmdto_channel_butserv_butone((chan->mode.apass[0] ? &his : jbuf->jb_source),
4158                                          CMD_MODE, chan, NULL, 0, "%H +o %C",
4159                                          chan, jbuf->jb_source);
4160     } else if (MyUser(jbuf->jb_source)) {
4161       sendcmdto_one(jbuf->jb_source, CMD_JOIN, jbuf->jb_source, ":%H", chan);
4162         }
4163   }
4164
4165   if (jbuf->jb_type == JOINBUF_TYPE_PARTALL ||
4166       jbuf->jb_type == JOINBUF_TYPE_JOIN || is_local)
4167     return; /* don't send to remote */
4168
4169   /* figure out if channel name will cause buffer to be overflowed */
4170   len = chan ? strlen(chan->chname) + 1 : 2;
4171   if (jbuf->jb_strlen + len > BUFSIZE)
4172     joinbuf_flush(jbuf);
4173
4174   /* add channel to list of channels to send and update counts */
4175   jbuf->jb_channels[jbuf->jb_count++] = chan;
4176   jbuf->jb_strlen += len;
4177
4178   /* if we've used up all slots, flush */
4179   if (jbuf->jb_count >= MAXJOINARGS)
4180     joinbuf_flush(jbuf);
4181 }
4182
4183 /*
4184  * Flush the channel list to remote servers
4185  */
4186 int
4187 joinbuf_flush(struct JoinBuf *jbuf)
4188 {
4189   char chanlist[BUFSIZE];
4190   int chanlist_i = 0;
4191   int i;
4192
4193   if (!jbuf->jb_count || jbuf->jb_type == JOINBUF_TYPE_PARTALL ||
4194       jbuf->jb_type == JOINBUF_TYPE_JOIN)
4195     return 0; /* no joins to process */
4196
4197   for (i = 0; i < jbuf->jb_count; i++) { /* build channel list */
4198     build_string(chanlist, &chanlist_i,
4199                  jbuf->jb_channels[i] ? jbuf->jb_channels[i]->chname : "0", 0,
4200                  i == 0 ? '\0' : ',');
4201     if (JOINBUF_TYPE_PART == jbuf->jb_type)
4202       /* Remove user from channel */
4203       remove_user_from_channel(jbuf->jb_source, jbuf->jb_channels[i]);
4204
4205     jbuf->jb_channels[i] = 0; /* mark slot empty */
4206   }
4207
4208   jbuf->jb_count = 0; /* reset base counters */
4209   jbuf->jb_strlen = ((jbuf->jb_type == JOINBUF_TYPE_PART ?
4210                       STARTJOINLEN : STARTCREATELEN) +
4211                      (jbuf->jb_comment ? strlen(jbuf->jb_comment) + 2 : 0));
4212
4213   /* and send the appropriate command */
4214   switch (jbuf->jb_type) {
4215   case JOINBUF_TYPE_CREATE:
4216     sendcmdto_serv_butone(jbuf->jb_source, CMD_CREATE, jbuf->jb_connect,
4217                           "%s %Tu", chanlist, jbuf->jb_create);
4218     break;
4219
4220   case JOINBUF_TYPE_PART:
4221     sendcmdto_serv_butone(jbuf->jb_source, CMD_PART, jbuf->jb_connect,
4222                           jbuf->jb_comment ? "%s :%s" : "%s", chanlist,
4223                           jbuf->jb_comment);
4224     break;
4225   }
4226
4227   return 0;
4228 }
4229
4230 /* Returns TRUE (1) if client is invited, FALSE (0) if not */
4231 int IsInvited(struct Client* cptr, const void* chptr)
4232 {
4233   struct SLink *lp;
4234
4235   for (lp = (cli_user(cptr))->invited; lp; lp = lp->next)
4236     if (lp->value.chptr == chptr)
4237       return 1;
4238   return 0;
4239 }
4240
4241 /* RevealDelayedJoin: sends a join for a hidden user */
4242
4243 void RevealDelayedJoin(struct Membership *member)
4244 {
4245   ClearDelayedJoin(member);
4246   sendcmdto_channel_butserv_butone(member->user, CMD_JOIN, member->channel, member->user, 0, ":%H",
4247                                    member->channel);
4248   CheckDelayedJoins(member->channel);
4249 }
4250
4251 /* CheckDelayedJoins: checks and clear +d if necessary */
4252
4253 void CheckDelayedJoins(struct Channel *chan)
4254 {
4255   if ((chan->mode.mode & MODE_WASDELJOINS) && !find_delayed_joins(chan)) {
4256     chan->mode.mode &= ~MODE_WASDELJOINS;
4257     sendcmdto_channel_butserv_butone(&me, CMD_MODE, chan, NULL, 0,
4258                                      "%H -d", chan);
4259     sendcmdto_channel_servers_butone(&me, CMD_MODE, chan, NULL, 0,
4260                                      "%H -d", chan);
4261   }
4262 }
4263
4264 void CheckEnableDelayedJoins(struct Channel *chan) {
4265   if (!(chan->mode.mode & MODE_WASDELJOINS) && find_delayed_joins(chan)) {
4266         chan->mode.mode |= MODE_WASDELJOINS;
4267         sendcmdto_channel_butserv_butone(&me, CMD_MODE, chan, NULL, 0,
4268                                      "%H +d", chan);
4269     sendcmdto_channel_servers_butone(&me, CMD_MODE, chan, NULL, 0,
4270                                      "%H +d", chan);
4271   }
4272 }
4273
4274 /* checks whether a channel is nonpersistent with no users and deletes it
4275  * returns 1 if deleted, otherwise 0
4276  */
4277 signed int destruct_nonpers_channel(struct Channel *chptr) {
4278   if(!(chptr->mode.mode & MODE_PERSIST) && chptr->users == 0) {
4279     if(chptr->destruct_event)
4280       remove_destruct_event(chptr);
4281     destruct_channel(chptr);
4282     return 1;
4283   }
4284   return 0;
4285 }
4286
4287 /** Send a join for the user if (s)he is a hidden member of the channel.
4288  */
4289 void RevealDelayedJoinIfNeeded(struct Client *sptr, struct Channel *chptr)
4290 {
4291   struct Membership *member = find_member_link(chptr, sptr);
4292   if (member && IsDelayedJoin(member) && !IsInvisibleJoin(member))
4293     RevealDelayedJoin(member);
4294 }
4295
4296 /** Extended multi target message block check.
4297  * The channelmode MODE_NOAMSGS prevents multi-target messages from being sent
4298  * to the channel. Since many clients sent these so called AMSGS manually with
4299  * one PRIVMSG per channel, we have this extended check which prevents messages
4300  * from being sent to multiple channels.
4301  *
4302  * The check is quite simple: We save the last sent message of every client.
4303  * When the client sends a new PRIVMSG to another channel, we compare the
4304  * message to the previously sent message and if they equal we may drop the new
4305  * message instead of broadcasting it.
4306  * There are several additional checks. That is, the new message must be sent in
4307  * a specific amount of time in which this check works. If the ducplicate
4308  * message is delayed for too long then it will pass this check. Furthermore,
4309  * there is a specific number a message must be already sent to different
4310  * channels until it is blocked.
4311  * Both numbers can be configured by the FEATURES subsystem.
4312  *
4313  * This function returns 0 if the message may pass and 1 if the message should
4314  * be blocked.
4315  * For this function to work properly it must be called on every PRIVMSG which
4316  * is sent by any user.
4317  *
4318  * Since users are creative and sometimes smart (damnit!) this function can be
4319  * outsourced into a dynamic library so we can adjust this function to protect
4320  * against any user scripts on-the-fly.
4321  *
4322  * --gix 2009/11/19
4323  */
4324 int ext_amsg_block(struct Client *cptr, struct Channel *chptr, const char *msg)
4325 {
4326   int amsg_time;
4327   
4328   /* First on every message we check whether the mechanism is enabled.
4329    * If it is enabled, we check:
4330    *  - whether the channel has MODE_NOAMSGS
4331    *  - whether it was sent in between the configured time span
4332    *  - whether it matches the previous message
4333    * in exactly this order. If at least one test fails, we do not block the
4334    * message.
4335    * If at least one test failed we copy the message into the users buffer so
4336    * it will be checked the next time he sends a message. We also update the
4337    * timestamp of the user.
4338    */
4339   amsg_time = feature_int(FEAT_NOAMSG_TIME);
4340   if(amsg_time > 0) {
4341     /* first of all strip the message (filter out invisible content) */
4342     char *stripped_message = MyMalloc(BUFSIZE + 1);
4343     strcpy(stripped_message, msg);
4344     char p = stripped_message[0];
4345     int p_pos = 0;
4346     int is_visible = 1, is_ccode = 0, i = 0, j = 0;
4347     char codes[5];
4348     for(i = 0; p != '\n'; p = stripped_message[++i]) {
4349       if(p == 3) {
4350         j = 0;
4351         is_ccode = 1;
4352       } else if(is_ccode) {
4353         if((p >= 48 && p <= 57) || p == 44) {
4354           if(is_ccode == 1) {
4355             if(p == 44) {
4356               is_ccode = 2;
4357               codes[j++] = 0;
4358               j = 0;
4359             } else
4360               codes[j++] = p;
4361           } else {
4362             //compare
4363             if(p != codes[j++]) {
4364              is_ccode = 3;
4365             }
4366           }
4367         } else {
4368           //END of color code...
4369           is_ccode = 0;
4370           if(is_ccode != 1 && codes[j] != 0) is_ccode = 3;
4371           if(is_ccode == 1) {
4372             codes[j] = 0;
4373             int k;
4374             for(k = 0; k < j-1; k++) {
4375               if(codes[k] != 48) {
4376                 is_visible = 1;
4377                 goto normalchar;
4378               }
4379             }
4380             is_visible = 0;
4381           } else if(is_ccode == 2) {
4382             is_visible = 0;
4383           } else if(is_ccode == 3) {
4384             is_visible = 1;
4385             goto normalchar;
4386           }
4387         }
4388       } else {
4389         normalchar:
4390         if(is_visible)
4391           stripped_message[p_pos++] = p;
4392       }
4393     }
4394     stripped_message[p_pos++] = 0;
4395     /* Allocate a new buffer if there is none, yet. */
4396     if(!cli_user(cptr)->lastmsg) {
4397       cli_user(cptr)->lastmsg = MyMalloc(BUFSIZE + 1);
4398       memset(cli_user(cptr)->lastmsg, 0, BUFSIZE + 1);
4399     }
4400     if((chptr->mode.mode & MODE_NOAMSGS) &&
4401        ((cli_user(cptr)->lastmsg_time + amsg_time) >= CurrentTime) &&
4402        (strcmp(cli_user(cptr)->lastmsg, stripped_message) == 0)) {
4403       cli_user(cptr)->lastmsg_time = CurrentTime;
4404       cli_user(cptr)->lastmsg_num++;
4405       MyFree(stripped_message);
4406       if(cli_user(cptr)->lastmsg_num >= feature_int(FEAT_NOAMSG_NUM)) return 1;
4407       else return 0;
4408     }
4409     /* Message did not match so update the data. */
4410     cli_user(cptr)->lastmsg_time = CurrentTime;
4411     cli_user(cptr)->lastmsg_num = 0;
4412     strcpy(cli_user(cptr)->lastmsg, stripped_message);
4413     MyFree(stripped_message);
4414   }
4415   return 0;
4416 }
4417
4418 /** Extended flood check.
4419  * The channelmode MODE_NOFLOOD prevents users from flooding the channel.
4420  * 
4421  * This function returns 0 if the message may pass and 1 if the message should
4422  * be blocked.
4423  * For this function to work properly it must be called on every PRIVMSG which
4424  * is sent by any user.
4425  *
4426  * --pk910 2011/7/1
4427  */
4428 int ext_noflood_block(struct Client *cptr, struct Channel *chptr) {
4429   if(!*chptr->mode.noflood) return 0;
4430   struct Membership *member = find_member_link(chptr, cptr);
4431   if(!member) return 0; //TODO: we've no check for -n channels implemented, yet
4432   //check if this user is really affected by +f
4433   unsigned int flags = (chptr->mode.noflood_value & 0x00000007);        //0000 0000 0000 0000 0000 0000 0000 0111 = 0x00000007 >> 0
4434   unsigned int count = (chptr->mode.noflood_value & 0x00001ff8) >> 3;   //0000 0000 0000 0000 0001 1111 1111 1000 = 0x00001ff8 >> 3
4435   int time           = (chptr->mode.noflood_value & 0x07ffe000) >> 13;  //0000 0111 1111 1111 1110 0000 0000 0000 = 0x07ffe000 >> 13
4436   if(count == 0 || time == 0) return 0;
4437   if(!(flags & FLFL_NOFLOOD) && HasPriv(cptr, PRIV_FLOOD))
4438     return 0;
4439   if(!(flags & FLFL_CHANOP) && (member->status & CHFL_CHANOP)) 
4440     return 0;
4441   if(!(flags & (FLFL_CHANOP | FLFL_VOICE)) && (member->status & CHFL_VOICE)) 
4442     return 0;
4443   int floodcount = 0;
4444   struct MemberFlood *floodnode, *prev_floodnode;
4445   for (floodnode = member->flood; floodnode; floodnode = floodnode->next_memberflood) {
4446     if(floodnode->time + time > CurrentTime) {
4447       if(floodcount == 0 && floodnode != member->flood) {
4448         //free all before
4449         prev_floodnode->next_memberflood = free_MemberFlood;
4450         free_MemberFlood  = prev_floodnode;
4451         member->flood = floodnode;
4452       }
4453       floodcount++;
4454     }
4455     prev_floodnode = floodnode;
4456   }
4457   Debug((DEBUG_INFO, "floodcount: %i", floodcount));
4458   if(floodcount >= count) return 1; //blocked!
4459   //add a new floodnode :)
4460   if(free_MemberFlood) {
4461     floodnode = free_MemberFlood;
4462     free_MemberFlood = floodnode->next_memberflood;
4463   } else
4464     floodnode = (struct MemberFlood*) MyMalloc(sizeof(struct MemberFlood));
4465   floodnode->time = CurrentTime;
4466   floodnode->next_memberflood = NULL;
4467   if(floodcount > 0)
4468     prev_floodnode->next_memberflood = floodnode;
4469   else
4470     member->flood = floodnode;
4471   return 0;
4472 }
4473