Browse Source

new permissions:

* list members may be nominated as moderators by admin
* admin may allow moderators to nominate more moderators
* admin may set allowed senders to one of the following:
    * owners and mods
    * all subscribers
    * everyone
* moderators are now able to remove members from list
drop_old_mail
Stephan Richter 3 years ago
parent
commit
b9b3196ae6
  1. 2
      pom.xml
  2. 149
      src/main/java/de/srsoftware/widerhall/data/ListMember.java
  3. 62
      src/main/java/de/srsoftware/widerhall/data/MailingList.java
  4. 69
      src/main/java/de/srsoftware/widerhall/web/Rest.java
  5. 21
      src/main/java/de/srsoftware/widerhall/web/Web.java
  6. 6
      static/templates/inspect.st
  7. 29
      static/templates/js.st
  8. 2
      static/templates/listadminlist.st
  9. 1
      static/templates/listmembers.st

2
pom.xml

@ -6,7 +6,7 @@
<groupId>org.example</groupId> <groupId>org.example</groupId>
<artifactId>Widerhall</artifactId> <artifactId>Widerhall</artifactId>
<version>0.2.14</version> <version>0.2.15</version>
<build> <build>
<plugins> <plugins>
<plugin> <plugin>

149
src/main/java/de/srsoftware/widerhall/data/ListMember.java

@ -1,17 +1,15 @@
package de.srsoftware.widerhall.data; package de.srsoftware.widerhall.data;
import de.srsoftware.widerhall.Util; import de.srsoftware.widerhall.Util;
import org.antlr.runtime.MismatchedTokenException;
import org.slf4j.Logger; import org.slf4j.Logger;
import org.slf4j.LoggerFactory; import org.slf4j.LoggerFactory;
import org.stringtemplate.v4.ST;
import java.sql.ResultSet; import java.sql.ResultSet;
import java.sql.SQLException; import java.sql.SQLException;
import java.util.*; import java.util.*;
import static de.srsoftware.widerhall.Constants.*; import static de.srsoftware.widerhall.Constants.*;
import static de.srsoftware.widerhall.Constants.STATE; import static de.srsoftware.widerhall.Util.t;
/** /**
* @author Stephan Richter * @author Stephan Richter
@ -47,6 +45,37 @@ public class ListMember {
this.token = token; this.token = token;
} }
public String addNewModerator(String userEmail) {
if (!isAllowedToEditMods()) return t("You are not allowed to nominate new mods for {}",list.email());
User moderator = null;
try {
moderator = User.load(userEmail);
} catch (SQLException e) {
LOG.warn("Failed to load user for {}",userEmail,e);
return t("Failed to load user for {}",userEmail);
}
if (moderator == null) return t("No such user: {}",userEmail);
ListMember member = null;
try {
member = ListMember.load(list,moderator);
} catch (SQLException e) {
LOG.warn("Failed to load list member for {}/{}",moderator.email(),list.email(),e);
return t("Failed to load list member for {}/{}",moderator.email(),list.email());
}
try {
if (member == null) {
ListMember.create(list, moderator, ListMember.STATE_MODERATOR);
} else {
member.setState(ListMember.STATE_MODERATOR);
}
} catch (SQLException e) {
LOG.warn("Failed to make {} a moderator of {}",moderator.email(),list.email(),e);
return t("Failed to make {} a moderator of {}",moderator.email(),list.email());
}
return null;
}
/** /**
* tries to confirm the token: * tries to confirm the token:
* This method loads the list member, that is assigned with the token. * This method loads the list member, that is assigned with the token.
@ -113,6 +142,68 @@ public class ListMember {
Database.open().query(sql).compile().run(); Database.open().query(sql).compile().run();
} }
public String dropMember(String userEmail) {
if (!isModerator()) return t("You are not allowed to remove members of {}",list.email());
User user = null;
try {
user = User.load(userEmail);
} catch (SQLException e) {
LOG.warn("Failed to load user for {}",userEmail,e);
return t("Failed to load user for {}",userEmail);
}
if (user == null) return t("No such user: {}",userEmail);
ListMember member = null;
try {
member = ListMember.load(list,user);
} catch (SQLException e) {
LOG.warn("Failed to load list member for {}/{}",user.email(),list.email(),e);
return t("Failed to load list member for {}/{}",user.email(),list.email());
}
if (member == null) return t("{} is no member of {}",user.email(),list.email());
if (member.isOwner()) return t("You are not allowed to remvoe the list owner!");
try {
member.unsubscribe();
} catch (SQLException e) {
LOG.warn("Failed to un-subscribe {} from {}",user.email(),list.email(),e);
return t("Failed to un-subscribe {} from {}",user.email(),list.email());
}
return null;
}
public String dropModerator(String userEmail) {
if (!isAllowedToEditMods()) return t("You are not allowed to edit mods of {}",list.email());
User moderator = null;
try {
moderator = User.load(userEmail);
} catch (SQLException e) {
LOG.warn("Failed to load user for {}",userEmail,e);
return t("Failed to load user for {}",userEmail);
}
if (moderator == null) return t("No such user: {}",userEmail);
ListMember member = null;
try {
member = ListMember.load(list,moderator);
} catch (SQLException e) {
LOG.warn("Failed to load list member for {}/{}",moderator.email(),list.email(),e);
return t("Failed to load list member for {}/{}",moderator.email(),list.email());
}
try {
if (member == null) {
ListMember.create(list, moderator, ListMember.STATE_SUBSCRIBER);
} else {
member.setState(ListMember.STATE_SUBSCRIBER);
}
} catch (SQLException e) {
LOG.warn("Failed to make {} a subscriber of {}",moderator.email(),list.email(),e);
return t("Failed to make {} a subscriber of {}",moderator.email(),list.email());
}
return null;
}
/** /**
* create a new ListMember object from a ResultSet * create a new ListMember object from a ResultSet
* @param rs * @param rs
@ -136,6 +227,12 @@ public class ListMember {
return (state & testState) > 0; return (state & testState) > 0;
} }
public boolean isAllowedToEditMods(){
if (isOwner()) return true;
if (isModerator()) return list.modsMayEditMods();
return false;
}
public boolean isAwaiting(){ public boolean isAwaiting(){
return hasState(STATE_AWAITING_CONFIRMATION); return hasState(STATE_AWAITING_CONFIRMATION);
} }
@ -152,6 +249,35 @@ public class ListMember {
return hasState(STATE_SUBSCRIBER|STATE_MODERATOR|STATE_OWNER); return hasState(STATE_SUBSCRIBER|STATE_MODERATOR|STATE_OWNER);
} }
public MailingList list(){
return list;
}
/**
* return a set of list emails of MailingLists the given user attends
* @param user
* @return
*/
public static Set<ListMember> listsOf(User user) {
var listEmails = new HashSet<String>();
try {
var request = Database.open()
.select(TABLE_NAME);
if (!user.hashPermission(User.PERMISSION_ADMIN)) request = request.where(USER_EMAIL, user.email());
var rs = request.compile().exec();
while (rs.next()) listEmails.add(rs.getString(LIST_EMAIL));
} catch (SQLException e) {
LOG.warn("Collecting lists of {} failed: ",user.email(),e);
}
var lists = MailingList.loadAll(listEmails);
var result = new HashSet<ListMember>();
try {
for (var ml : lists) result.add(ListMember.load(ml,user));
} catch (SQLException e) {
e.printStackTrace();
}
return result;
}
/** /**
* return a set of list emails of MailingLists owned by the given user * return a set of list emails of MailingLists owned by the given user
@ -230,6 +356,17 @@ public class ListMember {
return this; return this;
} }
public ListMember setState(int newState) throws SQLException {
Database.open()
.update(TABLE_NAME)
.set(STATE,newState)
.where(USER_EMAIL,user.email())
.where(LIST_EMAIL,list.email())
.compile()
.run();
return this;
}
/** /**
* convert state flag to readable text * convert state flag to readable text
* @return * @return
@ -253,11 +390,9 @@ public class ListMember {
/** /**
* unsubscribe a list member * unsubscribe a list member
* @param list
* @param user
* @throws SQLException * @throws SQLException
*/ */
public static void unsubscribe(MailingList list, User user) throws SQLException { public void unsubscribe() throws SQLException {
var db = Database.open(); var db = Database.open();
var rs = db.select(TABLE_NAME) var rs = db.select(TABLE_NAME)
.where(LIST_EMAIL,list.email()) .where(LIST_EMAIL,list.email())
@ -265,7 +400,7 @@ public class ListMember {
.compile() .compile()
.exec(); .exec();
while (rs.next()){ while (rs.next()){
int state = Util.unset(rs.getInt(STATE),STATE_SUBSCRIBER,STATE_AWAITING_CONFIRMATION); // drop subscription and awaiting flags int state = Util.unset(rs.getInt(STATE),STATE_SUBSCRIBER,STATE_MODERATOR,STATE_AWAITING_CONFIRMATION); // drop subscription and awaiting flags
var req = state < 1 ? db.deleteFrom(TABLE_NAME) : db.update(TABLE_NAME).set(STATE,state).set(TOKEN,null); var req = state < 1 ? db.deleteFrom(TABLE_NAME) : db.update(TABLE_NAME).set(STATE,state).set(TOKEN,null);
req.where(LIST_EMAIL,list.email()).where(USER_EMAIL,user.email()).compile().run(); req.where(LIST_EMAIL,list.email()).where(USER_EMAIL,user.email()).compile().run();
} }

62
src/main/java/de/srsoftware/widerhall/data/MailingList.java

@ -35,6 +35,7 @@ public class MailingList implements MessageHandler {
public static final String KEY_OPEN_FOR_GUESTS = "open_for_guests"; public static final String KEY_OPEN_FOR_GUESTS = "open_for_guests";
public static final String KEY_OPEN_FOR_SUBSCRIBERS = "open_for_subscribers"; public static final String KEY_OPEN_FOR_SUBSCRIBERS = "open_for_subscribers";
public static final String KEY_ARCHIVE = "archive"; public static final String KEY_ARCHIVE = "archive";
public static final String KEY_MODS_CAN_EDIT_MODS = "edit_mods";
private static final Logger LOG = LoggerFactory.getLogger(MailingList.class); private static final Logger LOG = LoggerFactory.getLogger(MailingList.class);
private static final String IMAP_HOST = "imap_host"; private static final String IMAP_HOST = "imap_host";
private static final String IMAP_PORT = "imap_port"; private static final String IMAP_PORT = "imap_port";
@ -55,7 +56,7 @@ public class MailingList implements MessageHandler {
public static final int STATE_OPEN_FOR_GUESTS = 64; // allow anyone to send via this list? public static final int STATE_OPEN_FOR_GUESTS = 64; // allow anyone to send via this list?
public static final int STATE_PUBLIC_ARCHIVE = 128; // save received messages in archive? public static final int STATE_PUBLIC_ARCHIVE = 128; // save received messages in archive?
public static final int STATE_OPEN_FOR_SUBSCRIBERS = 256; // allow mods to send via this list? public static final int STATE_OPEN_FOR_SUBSCRIBERS = 256; // allow mods to send via this list?
public static final int STATE_MODS_CAN_CREATE_MODS = 512; // allow mods to make subscribers to mods? public static final int STATE_MODS_CAN_EDIT_MODS = 512; // allow mods to make subscribers to mods?
private static final int VISIBLE = 1; private static final int VISIBLE = 1;
private static final int HIDDEN = 0; private static final int HIDDEN = 0;
private static final int DEFAULT_STATE = STATE_PENDING|STATE_HIDE_RECEIVERS|STATE_PUBLIC_ARCHIVE; private static final int DEFAULT_STATE = STATE_PENDING|STATE_HIDE_RECEIVERS|STATE_PUBLIC_ARCHIVE;
@ -137,17 +138,6 @@ public class MailingList implements MessageHandler {
Database.open().query(sql).compile().run(); Database.open().query(sql).compile().run();
} }
/**
* load the set of mailing lists a given user is allowed to edit
* @param user
* @return
*/
public static Set<MailingList> editableBy(User user) {
var list = new HashSet<MailingList>();
for (String key : ListMember.listsOwnedBy(user)) list.add(load(key));
return list;
}
public String email() { public String email() {
return email; return email;
} }
@ -295,10 +285,32 @@ public class MailingList implements MessageHandler {
return ml; return ml;
} }
/**
* Load a ML object by it's identifying email address.
* This is a cached method: if the ML has been loaded before, the already-loaded object will be returned.
* @param listEmails
* @return
*/
public static Set<MailingList> loadAll(Collection<String> listEmails) {
if (listEmails == null) return null;
if (listEmails.isEmpty()) return Set.of();
var list = new HashSet<MailingList>();
try {
var rs = Database.open()
.select(TABLE_NAME)
.where(EMAIL,listEmails)
.compile().exec();
while (rs.next()) list.add(MailingList.from(rs));
} catch (SQLException e) {
LOG.debug("Failed to load MailingLists: ",e);
}
return list;
}
public boolean mayBeAlteredBy(User user) { public boolean mayBeAlteredBy(User user) {
if (user.hashPermission(PERMISSION_ADMIN)) return true; if (user.hashPermission(PERMISSION_ADMIN)) return true;
try { try {
if (ListMember.load(this,user).isOwner()) return true; if (ListMember.load(this,user).isModerator()) return true;
} catch (SQLException e) { } catch (SQLException e) {
LOG.debug("Error loading list member for ({}, {})",user.email(),email()); LOG.debug("Error loading list member for ({}, {})",user.email(),email());
} }
@ -343,6 +355,28 @@ public class MailingList implements MessageHandler {
return map; return map;
} }
/**
* load the set of mailing lists a given user is allowed to edit
* @param user
* @return
*/
public static List<MailingList> moderatedBy(User user) {
return ListMember.listsOf(user)
.stream()
.filter(listMember -> listMember.isModerator())
.map(ListMember::list)
.toList();
}
public boolean modsMayEditMods(){
return hasState(STATE_MODS_CAN_EDIT_MODS);
}
public MailingList modsMayNominateMods(boolean allowed) throws SQLException {
return setFlag(STATE_MODS_CAN_EDIT_MODS,allowed);
}
public String name(){ public String name(){
return name; return name;
} }
@ -482,7 +516,7 @@ public class MailingList implements MessageHandler {
private void sendConfirmationRequest(User user, String token) throws MessagingException, UnsupportedEncodingException { private void sendConfirmationRequest(User user, String token) throws MessagingException, UnsupportedEncodingException {
var subject = t("Please confirm your list subscription"); var subject = t("Please confirm your list subscription");
var config = Configuration.instance(); var config = Configuration.instance();
var url = new StringBuilder(config.baseUrl()).append("/confirm?token=").append(token); var url = new StringBuilder(config.baseUrl()).append("/web/confirm?token=").append(token);
var text = t("Please go to {} in order to complete your list subscription!",url); var text = t("Please go to {} in order to complete your list subscription!",url);
smtp.send(email(),name(),user.email(),subject,text); smtp.send(email(),name(),user.email(),subject,text);
} }

69
src/main/java/de/srsoftware/widerhall/web/Rest.java

@ -25,13 +25,16 @@ import static de.srsoftware.widerhall.data.MailingList.*;
public class Rest extends HttpServlet { public class Rest extends HttpServlet {
private static final Logger LOG = LoggerFactory.getLogger(Rest.class); private static final Logger LOG = LoggerFactory.getLogger(Rest.class);
private static final String LIST_ADD_MOD = "list/add_mod";
private static final String LIST_ARCHIVE = "list/archive"; private static final String LIST_ARCHIVE = "list/archive";
private static final String LIST_DISABLE = "list/disable"; private static final String LIST_DISABLE = "list/disable";
private static final String LIST_EDITABLE = "list/editable"; private static final String LIST_DROP_MEMBER = "list/drop_member";
private static final String LIST_DROP_MOD = "list/drop_mod";
private static final String LIST_DETAIL = "list/detail"; private static final String LIST_DETAIL = "list/detail";
private static final String LIST_ENABLE = "list/enable"; private static final String LIST_ENABLE = "list/enable";
private static final String LIST_HIDE = "list/hide"; private static final String LIST_HIDE = "list/hide";
private static final String LIST_MEMBERS = "list/members"; private static final String LIST_MEMBERS = "list/members";
private static final String LIST_MODERATED = "list/moderated";
private static final String LIST_SHOW = "list/show"; private static final String LIST_SHOW = "list/show";
private static final String LIST_TEST = "list/test"; private static final String LIST_TEST = "list/test";
private static final String LIST_SUBSCRIBABLE = "list/subscribable"; private static final String LIST_SUBSCRIBABLE = "list/subscribable";
@ -119,6 +122,9 @@ public class Rest extends HttpServlet {
if (user != null){ if (user != null){
json.put(USER,user.safeMap()); json.put(USER,user.safeMap());
switch (path) { switch (path) {
case LIST_ARCHIVE:
json.put("archive",archive(req));
break;
case USER_LIST: case USER_LIST:
try { try {
json.put("users", (user.hashPermission(User.PERMISSION_ADMIN) ? User.loadAll() : List.of(user)).stream().map(User::safeMap).toList()); json.put("users", (user.hashPermission(User.PERMISSION_ADMIN) ? User.loadAll() : List.of(user)).stream().map(User::safeMap).toList());
@ -127,8 +133,8 @@ public class Rest extends HttpServlet {
json.put(ERROR,"failed to load user list"); json.put(ERROR,"failed to load user list");
} }
break; break;
case LIST_EDITABLE: case LIST_MODERATED:
json.put("lists", MailingList.editableBy(user).stream().map(MailingList::safeMap).toList()); json.put("lists", MailingList.moderatedBy(user).stream().map(MailingList::safeMap).toList());
break; break;
case LIST_SUBSCRIBABLE: case LIST_SUBSCRIBABLE:
json.put("lists", MailingList.subscribable(user).stream().map(MailingList::minimalMap).toList()); json.put("lists", MailingList.subscribable(user).stream().map(MailingList::minimalMap).toList());
@ -173,12 +179,21 @@ public class Rest extends HttpServlet {
var userEmail = req.getParameter(EMAIL); var userEmail = req.getParameter(EMAIL);
var permissions = req.getParameter(PERMISSIONS); var permissions = req.getParameter(PERMISSIONS);
switch (path) { switch (path) {
case LIST_ADD_MOD:
json.putAll(listAddMod(list,userEmail,user));
break;
case LIST_DETAIL: case LIST_DETAIL:
json.putAll(listDetail(list,user)); json.putAll(listDetail(list,user));
break; break;
case LIST_DISABLE: case LIST_DISABLE:
json.putAll(enableList(list,user,false)); json.putAll(enableList(list,user,false));
break; break;
case LIST_DROP_MEMBER:
json.putAll(listDropMember(list,userEmail,user));
break;
case LIST_DROP_MOD:
json.putAll(listDropMod(list,userEmail,user));
break;
case LIST_ENABLE: case LIST_ENABLE:
json.putAll(enableList(list,user,true)); json.putAll(enableList(list,user,true));
break; break;
@ -232,6 +247,21 @@ public class Rest extends HttpServlet {
} }
} }
private Map listAddMod(MailingList list, String userEmail, User user) {
ListMember moderator = null;
try {
moderator = ListMember.load(list,user);
} catch (SQLException e) {
LOG.warn("Failed to load list member for {}/{}",user.email(),list.email(),e);
return Map.of(ERROR,t("Failed to load list member for {}/{}",user.email(),list.email()));
}
if (moderator == null) return Map.of(ERROR,t("{} is not a member of {}",user.email(),list.email()));
var error = moderator.addNewModerator(userEmail);
return error == null ? Map.of(SUCCESS,t("{} is now a moderator of {}",userEmail,list.email())) : Map.of(ERROR,error);
}
private Map listDetail(MailingList list, User user) { private Map listDetail(MailingList list, User user) {
if (list == null) return Map.of(ERROR,"no list email provided!"); if (list == null) return Map.of(ERROR,"no list email provided!");
var map = new HashMap<>(); var map = new HashMap<>();
@ -242,9 +272,40 @@ public class Rest extends HttpServlet {
if (list.isOpenForGuests()) map.put(KEY_OPEN_FOR_GUESTS,true); if (list.isOpenForGuests()) map.put(KEY_OPEN_FOR_GUESTS,true);
if (list.isOpenForSubscribers()) map.put(KEY_OPEN_FOR_SUBSCRIBERS,true); if (list.isOpenForSubscribers()) map.put(KEY_OPEN_FOR_SUBSCRIBERS,true);
if (list.hasState(MailingList.STATE_PUBLIC_ARCHIVE)) map.put(KEY_ARCHIVE,true); if (list.hasState(MailingList.STATE_PUBLIC_ARCHIVE)) map.put(KEY_ARCHIVE,true);
if (list.hasState(STATE_MODS_CAN_EDIT_MODS)) map.put(KEY_MODS_CAN_EDIT_MODS,true);
return map; return map;
} }
private Map listDropMember(MailingList list, String userEmail, User user) {
ListMember moderator = null;
try {
moderator = ListMember.load(list,user);
} catch (SQLException e) {
LOG.warn("Failed to load list member for {}/{}",user.email(),list.email(),e);
return Map.of(ERROR,t("Failed to load list member for {}/{}",user.email(),list.email()));
}
if (moderator == null) return Map.of(ERROR,t("{} is not a member of {}",user.email(),list.email()));
var error = moderator.dropMember(userEmail);
return error == null ? Map.of(SUCCESS,t("{} is now a moderator of {}",userEmail,list.email())) : Map.of(ERROR,error);
}
private Map listDropMod(MailingList list, String userEmail, User user) {
ListMember moderator = null;
try {
moderator = ListMember.load(list,user);
} catch (SQLException e) {
LOG.warn("Failed to load list member for {}/{}",user.email(),list.email(),e);
return Map.of(ERROR,t("Failed to load list member for {}/{}",user.email(),list.email()));
}
if (moderator == null) return Map.of(ERROR,t("{} is not a member of {}",user.email(),list.email()));
var error = moderator.dropModerator(userEmail);
return error == null ? Map.of(SUCCESS,t("{} is now a moderator of {}",userEmail,list.email())) : Map.of(ERROR,error);
}
private Map<String, Object> listMembers(MailingList list, User user) { private Map<String, Object> listMembers(MailingList list, User user) {
if (list == null) return Map.of(ERROR,"no list email provided!"); if (list == null) return Map.of(ERROR,"no list email provided!");
if (!list.membersMayBeListedBy(user)) Map.of(ERROR,t("You are not allowed to list members of '{}'",list.email())); if (!list.membersMayBeListedBy(user)) Map.of(ERROR,t("You are not allowed to list members of '{}'",list.email()));
@ -253,7 +314,7 @@ public class Rest extends HttpServlet {
.stream() .stream()
.map(ListMember::safeMap) .map(ListMember::safeMap)
.toList(); .toList();
return Map.of(MEMBERS,members); return Map.of(MEMBERS,members,LIST,list.minimalMap());
} catch (SQLException e) { } catch (SQLException e) {
LOG.error("Failed to load member list: ",e); LOG.error("Failed to load member list: ",e);
return Map.of(ERROR,t("Failed to load member list '{}'",list.email())); return Map.of(ERROR,t("Failed to load member list '{}'",list.email()));

21
src/main/java/de/srsoftware/widerhall/web/Web.java

@ -5,7 +5,6 @@ import de.srsoftware.widerhall.data.ListMember;
import de.srsoftware.widerhall.data.MailingList; import de.srsoftware.widerhall.data.MailingList;
import de.srsoftware.widerhall.data.Post; import de.srsoftware.widerhall.data.Post;
import de.srsoftware.widerhall.data.User; import de.srsoftware.widerhall.data.User;
import org.json.simple.JSONObject;
import org.slf4j.Logger; import org.slf4j.Logger;
import org.slf4j.LoggerFactory; import org.slf4j.LoggerFactory;
@ -296,7 +295,7 @@ public class Web extends TemplateServlet {
if (!error && !list.mayBeAlteredBy(user)) { if (!error && !list.mayBeAlteredBy(user)) {
error = true; error = true;
data.put(ERROR,t("You are not allowed to alter this list!")); data.put(ERROR,t("You are not alter settings of this list!"));
} }
if (!error){ if (!error){
@ -305,6 +304,7 @@ public class Web extends TemplateServlet {
.forwardAttached(Util.getCheckbox(req, KEY_FORWARD_ATTACHED)) .forwardAttached(Util.getCheckbox(req, KEY_FORWARD_ATTACHED))
.hideReceivers(Util.getCheckbox(req, KEY_HIDE_RECEIVERS)) .hideReceivers(Util.getCheckbox(req, KEY_HIDE_RECEIVERS))
.replyToList(Util.getCheckbox(req, KEY_REPLY_TO_LIST)) .replyToList(Util.getCheckbox(req, KEY_REPLY_TO_LIST))
.modsMayNominateMods(Util.getCheckbox(req, KEY_MODS_CAN_EDIT_MODS))
.openForGuests(Util.getCheckbox(req,KEY_OPEN_FOR_GUESTS)) .openForGuests(Util.getCheckbox(req,KEY_OPEN_FOR_GUESTS))
.openForSubscribers(Util.getCheckbox(req,KEY_OPEN_FOR_SUBSCRIBERS)) .openForSubscribers(Util.getCheckbox(req,KEY_OPEN_FOR_SUBSCRIBERS))
.archive(Util.getCheckbox(req,KEY_ARCHIVE)); .archive(Util.getCheckbox(req,KEY_ARCHIVE));
@ -483,9 +483,22 @@ public class Web extends TemplateServlet {
return loadTemplate(UNSUBSCRIBE,data,resp); return loadTemplate(UNSUBSCRIBE,data,resp);
} }
} }
// if we get here, we should have a valid user
ListMember member = null;
try {
member = ListMember.load(list,user);
} catch (SQLException e) {
LOG.debug("Failed to load list member for {}/{}",user.email(),list.email(),e);
data.put(ERROR, t("Failed to load list member for {}/{}",user.email(),list.email()));
return loadTemplate(UNSUBSCRIBE,data,resp);
}
if (member == null){
data.put(ERROR, t("{} is no member of {}",user.email(),list.email()));
return loadTemplate(UNSUBSCRIBE,data,resp);
}
// if we get here, we should have a valid member object
try { try {
ListMember.unsubscribe(list,user); member.unsubscribe();
data.put(NOTES,t("Sucessfully un-subscribed from '{}'.",list.email())); data.put(NOTES,t("Sucessfully un-subscribed from '{}'.",list.email()));
return loadTemplate(INDEX,data,resp); return loadTemplate(INDEX,data,resp);
} catch (SQLException e) { } catch (SQLException e) {

6
static/templates/inspect.st

@ -49,11 +49,15 @@
</label> </label>
</fieldset> </fieldset>
<fieldset> <fieldset>
<legend>Archive options</legend> <legend>Other options</legend>
<label> <label>
<input type="checkbox" name="archive"> <input type="checkbox" name="archive">
Collect messages in public archive Collect messages in public archive
</label> </label>
<label>
<input type="checkbox" name="edit_mods">
Moderators may edit list of moderators
</label>
</fieldset> </fieldset>
<button type="submit">Save</button> <button type="submit">Save</button>
</fieldset> </fieldset>

29
static/templates/js.st

@ -1,3 +1,7 @@
function addMod(userEmail,listEmail){
$.post('/api/list/add_mod',{list:listEmail,email:userEmail},reload,'json');
}
function addPermission(userEmail,permission){ function addPermission(userEmail,permission){
if (confirm("Really give permission to "+userEmail+"?")){ if (confirm("Really give permission to "+userEmail+"?")){
$.post('/api/user/addpermission',{email:userEmail,permissions:permission},reload,'json'); $.post('/api/user/addpermission',{email:userEmail,permissions:permission},reload,'json');
@ -12,6 +16,15 @@ function dropList(listEmail){
console.log('dopList('+listEmail+')'); console.log('dopList('+listEmail+')');
} }
function dropMember(userEmail,listEmail){
$.post('/api/list/drop_member',{list:listEmail,email:userEmail},reload,'json');
}
function dropMod(userEmail,listEmail){
$.post('/api/list/drop_mod',{list:listEmail,email:userEmail},reload,'json');
}
function dropPermission(userEmail,permission){ function dropPermission(userEmail,permission){
if (confirm("Really withdraw permission from "+userEmail+"?")){ if (confirm("Really withdraw permission from "+userEmail+"?")){
$.post('/api/user/droppermission',{email:userEmail,permissions:permission},reload,'json'); $.post('/api/user/droppermission',{email:userEmail,permissions:permission},reload,'json');
@ -36,8 +49,8 @@ function loadListDetail(listEmail){
$.post('/api/list/detail',{list:listEmail},showListDetail,'json'); $.post('/api/list/detail',{list:listEmail},showListDetail,'json');
} }
function loadListOfEditableLists(){ function loadListOfModeratedLists(){
$.getJSON('/api/list/editable', showListOfEditableLists); $.getJSON('/api/list/moderated', showListOfModeratedLists);
} }
function loadListOfSubscribableLists(){ function loadListOfSubscribableLists(){
@ -74,14 +87,14 @@ function showListArchive(data){
} }
function showListDetail(data){ function showListDetail(data){
var options = ['forward_from','forward_attached','hide_receivers','reply_to_list','open_for_guests','open_for_subscribers','archive']; var options = ['forward_from','forward_attached','hide_receivers','reply_to_list','open_for_guests','open_for_subscribers','archive','edit_mods'];
options.forEach(function(option,index,array){ options.forEach(function(option,index,array){
console.log(option,'→',data[option]); console.log(option,'→',data[option]);
if (data[option]) $('input[name="'+option+'"]').prop('checked',true); if (data[option]) $('input[name="'+option+'"]').prop('checked',true);
}); });
} }
function showListOfEditableLists(data){ function showListOfModeratedLists(data){
for (let i in data.lists){ for (let i in data.lists){
let list = data.lists[i]; let list = data.lists[i];
let row = $('<tr/>'); let row = $('<tr/>');
@ -161,12 +174,20 @@ function showListResult(result){
} }
function showMembers(data){ function showMembers(data){
var list_mail = data.list.email.prefix+'@'+data.list.email.domain;
for (let i in data.members){ for (let i in data.members){
let member = data.members[i]; let member = data.members[i];
let row = $('<tr/>'); let row = $('<tr/>');
$('<td/>').text(member.name).appendTo(row); $('<td/>').text(member.name).appendTo(row);
$('<td/>').text(member.email).appendTo(row); $('<td/>').text(member.email).appendTo(row);
$('<td/>').text(member.state).appendTo(row); $('<td/>').text(member.state).appendTo(row);
let col = $('<td/>');
console.log("data",data);
if (member.state.includes("moderator")) {
if (!member.state.includes("owner")) $('<button/>',{onclick:'dropMod("'+member.email+'","'+list_mail+'")'}).text("- moderator").appendTo(col);
} else $('<button/>',{onclick:'addMod("'+member.email+'","'+list_mail+'")'}).text("+ moderator").appendTo(col);
if (!member.state.includes("owner")) $('<button/>',{onclick:'dropMember("'+member.email+'","'+list_mail+'")'}).text("remove").appendTo(col);
col.appendTo(row);
row.appendTo('#memberlist'); row.appendTo('#memberlist');
} }

2
static/templates/listadminlist.st

@ -22,6 +22,6 @@
</table> </table>
<a href="add_list">Add new mailing list</a> <a href="add_list">Add new mailing list</a>
<script type="text/javascript"> <script type="text/javascript">
loadListOfEditableLists(); loadListOfModeratedLists();
</script> </script>
</fieldset> </fieldset>

1
static/templates/listmembers.st

@ -5,6 +5,7 @@
<th>Name</th> <th>Name</th>
<th>Email</th> <th>Email</th>
<th>State</th> <th>State</th>
<th>Actions</th>
</tr> </tr>
</table> </table>
<script type="text/javascript"> <script type="text/javascript">

Loading…
Cancel
Save