Commit 863ff474 by Tuomas Riihimäki

Merge branch 'master' of codecrew.fi:bortal

2 parents 2881c83a a985f63e
...@@ -75,5 +75,10 @@ public class FoodWaveBean implements FoodWaveBeanLocal { ...@@ -75,5 +75,10 @@ public class FoodWaveBean implements FoodWaveBeanLocal {
public FoodWaveTemplate findTemplate(Integer templateId) { public FoodWaveTemplate findTemplate(Integer templateId) {
return fwtFacade.find(templateId); return fwtFacade.find(templateId);
} }
@Override
public List<FoodWave> getEventFoodWaves() {
return foodWaveFacade.getEventFoodWaves();
}
} }
...@@ -21,24 +21,28 @@ import fi.insomnia.bortal.model.OrgRole_; ...@@ -21,24 +21,28 @@ import fi.insomnia.bortal.model.OrgRole_;
public class FoodWaveFacade extends IntegerPkGenericFacade<FoodWave> { public class FoodWaveFacade extends IntegerPkGenericFacade<FoodWave> {
@EJB @EJB
EventBeanLocal eventBean; EventBeanLocal eventBean;
public FoodWaveFacade() { public FoodWaveFacade() {
super(FoodWave.class); super(FoodWave.class);
} }
public List<FoodWave> getEventFoodWaves() {
CriteriaBuilder cb = getEm().getCriteriaBuilder();
CriteriaQuery<FoodWave> cq = cb.createQuery(FoodWave.class);
Root<FoodWave> root = cq.from(FoodWave.class);
cq.where( cb.equal(root.get(FoodWave_.template).get(FoodWaveTemplate_.event), eventBean.getCurrentEvent()));
return getEm().createQuery(cq).getResultList();
}
public List<FoodWave> getOpenFoodWaves() { public List<FoodWave> getOpenFoodWaves() {
CriteriaBuilder cb = getEm().getCriteriaBuilder(); CriteriaBuilder cb = getEm().getCriteriaBuilder();
CriteriaQuery<FoodWave> cq = cb.createQuery(FoodWave.class); CriteriaQuery<FoodWave> cq = cb.createQuery(FoodWave.class);
Root<FoodWave> root = cq.from(FoodWave.class); Root<FoodWave> root = cq.from(FoodWave.class);
cq.where(cb.greaterThan(root.get(FoodWave_.time), Calendar.getInstance()), cq.where(cb.greaterThan(root.get(FoodWave_.time), Calendar.getInstance()), cb.isFalse(root.get(FoodWave_.closed)), cb.equal(root.get(FoodWave_.template).get(FoodWaveTemplate_.event), eventBean.getCurrentEvent()));
cb.isFalse(root.get(FoodWave_.closed)),
cb.equal(root.get(FoodWave_.template).get(FoodWaveTemplate_.event), eventBean.getCurrentEvent())
);
return getEm().createQuery(cq).getResultList(); return getEm().createQuery(cq).getResultList();
} }
......
...@@ -25,4 +25,6 @@ public interface FoodWaveBeanLocal { ...@@ -25,4 +25,6 @@ public interface FoodWaveBeanLocal {
public FoodWave findFoodwave(Integer foodwaveId); public FoodWave findFoodwave(Integer foodwaveId);
public FoodWave merge(FoodWave foodWave); public FoodWave merge(FoodWave foodWave);
public List<FoodWave> getEventFoodWaves();
} }
...@@ -50,6 +50,9 @@ public class FoodWave extends GenericEntity { ...@@ -50,6 +50,9 @@ public class FoodWave extends GenericEntity {
@OneToMany(mappedBy = "foodWave") @OneToMany(mappedBy = "foodWave")
private List<AccountEvent> accountEvents; private List<AccountEvent> accountEvents;
@OneToMany(mappedBy = "foodwave")
private List<BillLine> billLines;
@ManyToOne @ManyToOne
@JoinColumn(name = "template_id", referencedColumnName = "id", nullable = false) @JoinColumn(name = "template_id", referencedColumnName = "id", nullable = false)
private FoodWaveTemplate template; private FoodWaveTemplate template;
...@@ -144,10 +147,30 @@ public class FoodWave extends GenericEntity { ...@@ -144,10 +147,30 @@ public class FoodWave extends GenericEntity {
return true; return true;
} }
public List<BillLine> getBillLines() {
return billLines;
}
public Integer getMaximumFoods() { public Integer getMaximumFoods() {
return maximumFoods; return maximumFoods;
} }
public void setBillLines(List<BillLine> billLines) {
this.billLines = billLines;
}
public int getReservedCount() {
int retval = 0;
if (getAccountEvents() != null) {
retval += getAccountEvents().size();
}
if (getBillLines() != null) {
retval += getBillLines().size();
}
return retval;
}
public void setMaximumFoods(Integer maximumFoods) { public void setMaximumFoods(Integer maximumFoods) {
this.maximumFoods = maximumFoods; this.maximumFoods = maximumFoods;
} }
......
...@@ -7,6 +7,7 @@ package fi.insomnia.bortal.model; ...@@ -7,6 +7,7 @@ package fi.insomnia.bortal.model;
import java.util.ArrayList; import java.util.ArrayList;
import java.util.List; import java.util.List;
import javax.persistence.CascadeType;
import javax.persistence.Column; import javax.persistence.Column;
import javax.persistence.Entity; import javax.persistence.Entity;
import javax.persistence.JoinColumn; import javax.persistence.JoinColumn;
...@@ -27,7 +28,7 @@ import org.eclipse.persistence.annotations.OptimisticLockingType; ...@@ -27,7 +28,7 @@ import org.eclipse.persistence.annotations.OptimisticLockingType;
@Table(name = "food_wave_templates") @Table(name = "food_wave_templates")
@OptimisticLocking(type = OptimisticLockingType.CHANGED_COLUMNS) @OptimisticLocking(type = OptimisticLockingType.CHANGED_COLUMNS)
public class FoodWaveTemplate extends GenericEntity { public class FoodWaveTemplate extends GenericEntity {
private static final long serialVersionUID = 1L; private static final long serialVersionUID = 1L;
private static final String EVENT_ID = "event_id"; private static final String EVENT_ID = "event_id";
...@@ -42,7 +43,7 @@ public class FoodWaveTemplate extends GenericEntity { ...@@ -42,7 +43,7 @@ public class FoodWaveTemplate extends GenericEntity {
@Column(name = "template_description") @Column(name = "template_description")
private String description; private String description;
@ManyToMany(mappedBy = "foodWaveTemplates") @ManyToMany(mappedBy = "foodWaveTemplates", cascade=CascadeType.ALL)
private List<Product> products; private List<Product> products;
@OneToMany(mappedBy = "template") @OneToMany(mappedBy = "template")
......
...@@ -9,8 +9,8 @@ ...@@ -9,8 +9,8 @@
</session-config> </session-config>
<context-param> <context-param>
<param-name>javax.faces.PROJECT_STAGE</param-name> <param-name>javax.faces.PROJECT_STAGE</param-name>
<param-value>Production</param-value> <!-- <param-value>Production</param-value> -->
<!--<param-value>Development</param-value>--> <param-value>Development</param-value>
</context-param> </context-param>
<context-param> <context-param>
......
<!DOCTYPE html <!DOCTYPE html
PUBLIC "-//W3C//DTD XHTML 1.0 Strict//EN" PUBLIC "-//W3C//DTD XHTML 1.0 Strict//EN"
"http://www.w3.org/TR/xhtml1/DTD/xhtml1-strict.dtd"> "http://www.w3.org/TR/xhtml1/DTD/xhtml1-strict.dtd">
<html xmlns="http://www.w3.org/1999/xhtml" xmlns:ui="http://java.sun.com/jsf/facelets" xmlns:h="http://java.sun.com/jsf/html" xmlns:f="http://java.sun.com/jsf/core" <html xmlns="http://www.w3.org/1999/xhtml"
xmlns:products="http://java.sun.com/jsf/composite/cditools/products" xmlns:users="http://java.sun.com/jsf/composite/cditools/user" xmlns:c="http://java.sun.com/jsp/jstl/core" xmlns:p="http://primefaces.org/ui"> xmlns:ui="http://java.sun.com/jsf/facelets"
xmlns:h="http://java.sun.com/jsf/html"
xmlns:f="http://java.sun.com/jsf/core"
xmlns:products="http://java.sun.com/jsf/composite/cditools/products"
xmlns:users="http://java.sun.com/jsf/composite/cditools/user"
xmlns:c="http://java.sun.com/jsp/jstl/core"
xmlns:p="http://primefaces.org/ui">
<h:body> <h:body>
<ui:composition template="/layout/#{sessionHandler.layout}/template.xhtml"> <ui:composition
template="/layout/#{sessionHandler.layout}/template.xhtml">
<f:metadata> <f:metadata>
<f:event type="preRenderView" listener="#{foodWaveView.initCreateTemplate()}" /> <f:event type="preRenderView"
listener="#{foodWaveView.initCreateTemplate()}" />
</f:metadata> </f:metadata>
<ui:define name="title"> <ui:define name="title">
...@@ -16,48 +24,102 @@ ...@@ -16,48 +24,102 @@
<ui:define name="content"> <ui:define name="content">
<h:form> <h:form>
<p:wizard> <p:wizard>
<p:tab id="basicinfo" title="#{i18n['foodwavetemplate.basicinfo']}"> <p:tab id="basicinfo" title="#{i18n['foodwavetemplate.basicinfo']}">
<h:panelGrid columns="3"> <h:panelGrid columns="3">
<h:outputLabel for="name" value="#{i18n['foodwavetemplate.name']}" /> <h:outputLabel for="name"
<h:inputText id="name" value="#{foodWaveView.template.name}" /> value="#{i18n['foodwavetemplate.name']}" />
<h:message for="name" /> <h:inputText id="name" value="#{foodWaveView.template.name}"
required="true" requiredMessage="Name required" />
<h:outputLabel for="description" value="#{i18n['foodwavetemplate.description']}" /> <h:message for="name" />
<h:inputText id="description" value="#{foodWaveView.template.description}" />
<h:message for="description" /> <h:outputLabel for="description"
</h:panelGrid> value="#{i18n['foodwavetemplate.description']}" />
<h:inputText id="description"
value="#{foodWaveView.template.description}" required="true"
requiredMessage="Description required" />
<h:message for="description" />
</h:panelGrid>
</p:tab> </p:tab>
<p:tab id="selectproducts" title="#{i18n['foodwavetemplate.selectproducts']}"> <p:tab id="selectproducts"
title="#{i18n['foodwavetemplate.selectproducts']}">
<h:messages /> <h:messages />
<h:panelGrid columns="4"> <h:panelGrid columns="4">
<h:outputText value="#{i18n['foodwavetemplate.productname']}" /> <h:outputText value="#{i18n['foodwavetemplate.productname']}" />
<h:outputText value="#{i18n['foodwavetemplate.productdescription']}" /> <h:outputText
value="#{i18n['foodwavetemplate.productdescription']}" />
<h:outputText value="#{i18n['foodwavetemplate.price']}" /> <h:outputText value="#{i18n['foodwavetemplate.price']}" />
<h:outputText value="&nbsp;" /> <h:outputText value="&nbsp;" />
<h:inputText id="productname"
value="#{foodWaveView.currentProduct.name}" />
<h:inputText id="productdescription"
value="#{foodWaveView.currentProduct.description}" />
<h:inputText id="price"
value="#{foodWaveView.currentProduct.price}" />
<p:commandButton value="#{i18n['foodwavetemplate.addproduct']}"
actionListener="#{foodWaveView.addProductToTemplate}"
update="productTable" />
<h:inputText id="productname" value="#{foodWaveView.currentProduct.name}" />
<h:inputText id="productdescription" value="#{foodWaveView.currentProduct.name}" />
<h:inputText id="price" value="#{foodWaveView.currentProduct.price}" />
<p:commandButton value="#{i18n['foodwavetemplate.addproduct']}" actionListener="#{foodWaveView.addProductToTemplate}" update="productTable" />
</h:panelGrid> </h:panelGrid>
<p:dataTable name="productTable" id="productTable" value="#{foodWaveView.template.products}" var="product"> <p:dataTable name="productTable" id="productTable"
value="#{foodWaveView.template.products}" var="product"
editable="true">
<p:column headerText="#{i18n['foodwavetemplate.productname']}"> <p:column headerText="#{i18n['foodwavetemplate.productname']}">
<h:outputText value="#{product.name}" /> <p:cellEditor>
<f:facet name="output">
<h:outputText value="#{product.name}" />
</f:facet>
<f:facet name="input">
<p:inputText value="#{product.name}" style="width:100%"
required="true" requiredMessage="Name required" />
</f:facet>
</p:cellEditor>
</p:column> </p:column>
<p:column headerText="#{i18n['foodwavetemplate.productdescription']}"> <p:column
<h:outputText value="#{product.name}" /> headerText="#{i18n['foodwavetemplate.productdescription']}">
<p:cellEditor>
<f:facet name="output">
<h:outputText value="#{product.description}" />
</f:facet>
<f:facet name="input">
<p:inputText value="#{product.description}" style="width:100%"
required="true" requiredMessage="Description required" />
</f:facet>
</p:cellEditor>
</p:column> </p:column>
<p:column headerText="#{i18n['foodwavetemplate.price']}"> <p:column headerText="#{i18n['foodwavetemplate.price']}">
<h:outputText value="#{product.price}" /> <p:cellEditor>
<f:facet name="output">
<h:outputText value="#{product.price}" />
</f:facet>
<f:facet name="input">
<p:inputText value="#{product.price}" style="width:100%"
required="true" requiredMessage="Price required" />
</f:facet>
</p:cellEditor>
</p:column>
<p:column headerText="#{i18n['foodwavetemplate.editRow']}"
style="width:20px">
<p:rowEditor />
</p:column>
<p:column headerText="#{i18n['foodwavetemplate.actions']}"
style="width:20px;">
<p:commandButton
value="#{i18n['foodwavetemplate.removeFromList']}"
action="#{foodWaveView.removeProductFromList(product)}"
update="productTable" />
</p:column> </p:column>
</p:dataTable> </p:dataTable>
<h:commandButton action="#{foodWaveView.saveTemplate()}"
value="#{i18n['foodwavetemplate.savetemplate']}" />
</p:tab> </p:tab>
</p:wizard> </p:wizard>
</h:form> </h:form>
</ui:define> </ui:define>
......
...@@ -2,13 +2,12 @@ ...@@ -2,13 +2,12 @@
PUBLIC "-//W3C//DTD XHTML 1.0 Strict//EN" PUBLIC "-//W3C//DTD XHTML 1.0 Strict//EN"
"http://www.w3.org/TR/xhtml1/DTD/xhtml1-strict.dtd"> "http://www.w3.org/TR/xhtml1/DTD/xhtml1-strict.dtd">
<html xmlns="http://www.w3.org/1999/xhtml" xmlns:ui="http://java.sun.com/jsf/facelets" xmlns:h="http://java.sun.com/jsf/html" xmlns:f="http://java.sun.com/jsf/core" <html xmlns="http://www.w3.org/1999/xhtml" xmlns:ui="http://java.sun.com/jsf/facelets" xmlns:h="http://java.sun.com/jsf/html" xmlns:f="http://java.sun.com/jsf/core"
xmlns:products="http://java.sun.com/jsf/composite/cditools/products" xmlns:users="http://java.sun.com/jsf/composite/cditools/user" xmlns:c="http://java.sun.com/jsp/jstl/core"> xmlns:products="http://java.sun.com/jsf/composite/cditools/products" xmlns:users="http://java.sun.com/jsf/composite/cditools/user" xmlns:c="http://java.sun.com/jsp/jstl/core" xmlns:p="http://primefaces.org/ui">
<h:body> <h:body>
<ui:composition template="/layout/#{sessionHandler.layout}/template.xhtml"> <ui:composition template="/layout/#{sessionHandler.layout}/template.xhtml">
<f:metadata> <f:metadata>
<f:event type="preRenderView" listener="#{foodWaveView.initEditTemplate()}" /> <f:event type="preRenderView" listener="#{foodWaveView.initEditTemplate()}" />
<f:viewParam name="id" value="#{userView.templateId}" /> <f:viewParam name="id" value="#{foodWaveView.templateId}" />
</f:metadata> </f:metadata>
<ui:define name="title"> <ui:define name="title">
...@@ -17,18 +16,24 @@ ...@@ -17,18 +16,24 @@
<ui:define name="content"> <ui:define name="content">
<h:form> <h:form>
<h:panelGrid columns="3"> <p:panel header="#{i18n['foodwavetemplate.edit']}">
<h:outputLabel for="name" value="#{i18n['foodwavetemplate.name']}" /> <h:panelGrid columns="3">
<h:inputText id="name" value="#{foodWaveView.template.name}" /> <h:outputLabel for="name" value="#{i18n['foodwavetemplate.name']}" />
<h:message for="name" /> <h:inputText id="name" value="#{foodWaveView.template.name}" />
</h:panelGrid> <h:message for="name" />
<div>
<h:inputTextarea value="#{foodWaveView.template.description}" /> <h:outputLabel for="desc" value="#{i18n['foodwavetemplate.description']}" />
</div> <h:inputText id="desc" value="#{foodWaveView.template.description}" />
<h:commandButton action="#{foodWaveView.saveTemplate()}" value="#{i18n['foowavetemplate.save']}" /> <h:message for="desc" />
<h:commandButton action="#{foodWaveView.createFoodwave()}" value="#{i18n['foodwavetemplate.createFoodwave']}" />
<h:outputText value=" " />
<h:commandButton action="#{foodWaveView.saveTemplate()}" value="#{i18n['foodwavetemplate.save']}" />
</h:panelGrid>
</p:panel>
<p:panel header="#{i18n['foodwavetemplate.createwave']}">
<p:calendar value="#{foodWaveView.startDate}" pattern="dd.MM.yyyy HH:mm" />
<h:commandButton action="#{foodWaveView.createFoodwave()}" value="#{i18n['foodwavetemplate.createFoodwave']}" />
</p:panel>
</h:form> </h:form>
<ui:fragment> <ui:fragment>
......
...@@ -16,16 +16,16 @@ ...@@ -16,16 +16,16 @@
<ui:define name="content"> <ui:define name="content">
<h:dataTable var="templ" value="#{foodWaveView.templates}"> <h:dataTable var="foodwaveTemplate" value="#{foodWaveView.templates}">
<h:column> <h:column>
<f:facet name="header"> <f:facet name="header">
<h:outputText value="#{i18n['foodwaveTemplate.name']}" /> <h:outputText value="#{i18n['foodwaveTemplate.name']}" />
</f:facet> </f:facet>
<h:outputText value="#{templ.name}" /> <h:outputText value="#{foodwaveTemplate.name}" />
</h:column> </h:column>
<h:column> <h:column>
<h:link outcome="/foodadmin/editTemplate"> <h:link value="LOL" outcome="/foodadmin/editTemplate">
<f:param value="#{templ.id}" /> <f:param value="#{foodwaveTemplate.id}" name="id"/>
</h:link> </h:link>
</h:column> </h:column>
</h:dataTable> </h:dataTable>
......
<!DOCTYPE html
PUBLIC "-//W3C//DTD XHTML 1.0 Strict//EN"
"http://www.w3.org/TR/xhtml1/DTD/xhtml1-strict.dtd">
<html xmlns="http://www.w3.org/1999/xhtml" xmlns:ui="http://java.sun.com/jsf/facelets" xmlns:h="http://java.sun.com/jsf/html" xmlns:f="http://java.sun.com/jsf/core"
xmlns:foodwave="http://java.sun.com/jsf/composite/cditools/foodwave" xmlns:users="http://java.sun.com/jsf/composite/cditools/user" xmlns:c="http://java.sun.com/jsp/jstl/core">
<h:body>
<ui:composition template="/layout/#{sessionHandler.layout}/template.xhtml">
<f:metadata>
<f:event type="preRenderView" listener="#{foodWaveView.initFoodwaveManagerList}" />
</f:metadata>
<ui:define name="title">
<h1>fixme</h1>
</ui:define>
<ui:define name="content">
<h:dataTable columnClasses="nowrap,numalign,numalign,nowrap,numalign" styleClass="bordertable" value="#{foodWaveView.foodWaves}" var="foodwave">
<h:column >
<f:facet name="header">
<h:outputLabel id="name" value="${i18n['foodWave.name']}" />
</f:facet>
<h:link outcome="/foodmanager/listOrders" value="#{foodwave.name}">
<f:param name="foodwaveid" value="#{foodwave.id}" />
</h:link>
</h:column>
<h:column>
<f:facet name="header">
<h:outputText value="${i18n['foodWave.template.name']}" />
</f:facet>
<h:link outcome="/foodmanager/listOrders" value="#{foodwave.template.name}">
<f:param name="foodwaveid" value="#{foodwave.id}" />
</h:link>
</h:column>
<h:column>
<f:facet name="header">
<h:outputText value="${i18n['foodWave.orders']}" />
</f:facet>
<h:link outcome="/foodmanager/listOrders" value="#{foodwave.accountEvents.size()}">
<f:param name="foodwaveid" value="#{foodwave.id}" />
</h:link>
</h:column>
<h:column>
<f:facet name="header">
<h:outputText value="${i18n['foodWave.unconfirmedOrders']}" />
</f:facet>
<h:link outcome="/foodmanager/listOrders" value="#{foodwave.billLines.size()}">
<f:param name="foodwaveid" value="#{foodwave.id}" />
</h:link>
</h:column>
<h:column>
<f:facet name="header">
<h:outputText value="${i18n['foodWave.totalReserved']}" />
</f:facet>
<h:link outcome="/foodmanager/listOrders" value="#{foodwave.reservedCount}">
<f:param name="foodwaveid" value="#{foodwave.id}" />
</h:link>
</h:column>
<h:column>
<f:facet name="header">
<h:outputText value="${i18n['foodWave.time']}" />
</f:facet>
<h:link outcome="/foodmanager/listOrders"
value="#{foodwave.time.time}">
<f:param name="foodwaveid" value="#{foodwave.id}" />
</h:link>
</h:column>
</h:dataTable>
</ui:define>
</ui:composition>
</h:body>
</html>
\ No newline at end of file
<!DOCTYPE html
PUBLIC "-//W3C//DTD XHTML 1.0 Strict//EN"
"http://www.w3.org/TR/xhtml1/DTD/xhtml1-strict.dtd">
<html xmlns="http://www.w3.org/1999/xhtml" xmlns:ui="http://java.sun.com/jsf/facelets" xmlns:h="http://java.sun.com/jsf/html" xmlns:f="http://java.sun.com/jsf/core"
xmlns:foodwave="http://java.sun.com/jsf/composite/cditools/foodwave" xmlns:users="http://java.sun.com/jsf/composite/cditools/user" xmlns:c="http://java.sun.com/jsp/jstl/core">
<h:body>
<ui:composition template="/layout/#{sessionHandler.layout}/template.xhtml">
<f:metadata>
<f:event type="preRenderView" listener="#{foodWaveView.initFoodwaveBillLineList}" />
<f:event type="preRenderView" listener="#{foodWaveView.initFoodwaveAccountEventList}" />
</f:metadata>
<ui:define name="title">
<h1>fixme</h1>
</ui:define>
<ui:define name="content">
<h1><h:outputLabel id="name" value="${i18n['foodWave.billLines']}" /></h1>
<h:dataTable columnClasses="nowrap,numalign,numalign,nowrap,numalign" styleClass="bordertable" value="#{foodWaveView.billLines}" var="billLine">
<h:column >
<f:facet name="header">
<h:outputLabel id="name" value="${i18n['billLine.name']}" />
</f:facet>
<h:link outcome="/foodmanager/listOrders" value="#{billLine.name}">
<f:param name="foodwaveid" value="#{foodwave.id}" />
</h:link>
</h:column>
<h:column>
<f:facet name="header">
<h:outputText value="${i18n['billLine.quantiny']}" />
</f:facet>
<h:link outcome="/foodmanager/listOrders"
value="#{foodwave.template.name}">
<f:param name="foodwaveid" value="#{billLine.quantiny}" />
</h:link>
</h:column>
<h:column>
<f:facet name="header">
<h:outputText value="${i18n['billLine.unitprice']}" />
</f:facet>
<h:link outcome="/foodmanager/listOrders" value="#{billLine.unitprice}">
<f:param name="foodwaveid" value="#{foodwave.id}" />
</h:link>
</h:column>
<h:column>
<f:facet name="header">
<h:outputText value="${i18n['foodWave.unconfirmedOrders']}" />
</f:facet>
<h:link outcome="/foodmanager/listOrders" value="#{foodwave.billLines.size()}">
<f:param name="foodwaveid" value="#{foodwave.id}" />
</h:link>
</h:column>
<h:column>
<f:facet name="header">
<h:outputText value="${i18n['foodWave.totalReserved']}" />
</f:facet>
<h:link outcome="/foodmanager/listOrders" value="#{foodwave.reservedCount}">
<f:param name="foodwaveid" value="#{foodwave.id}" />
</h:link>
</h:column>
<h:column>
<f:facet name="header">
<h:outputText value="${i18n['foodWave.time']}" />
</f:facet>
<h:link outcome="/foodmanager/listOrders"
value="#{foodwave.time.time}">
<f:param name="foodwaveid" value="#{foodwave.id}" />
</h:link>
</h:column>
</h:dataTable>
</ui:define>
</ui:composition>
</h:body>
</html>
\ No newline at end of file
actionlog.create.header = Create new actionmessage actionlog.create.header = Create new actionmessage
actionlog.create.message = Message actionlog.create.message = Message
actionlog.create.role = Target role actionlog.create.role = Target role
actionlog.create.submitbutton = Send actionlog.create.submitbutton = Send
actionlog.create.taskradio = Task actionlog.create.taskradio = Task
actionlog.crew = Crew actionlog.crew = Crew
actionlog.message = Event actionlog.message = Event
actionlog.messagelist.description = You can follow and create new action messages in this view actionlog.messagelist.description = You can follow and create new action messages in this view
actionlog.messagelist.header = Messagelist actionlog.messagelist.header = Messagelist
actionlog.state = State actionlog.state = State
actionlog.task = Task actionlog.task = Task
actionlog.tasklist.header = Tasklist actionlog.tasklist.header = Tasklist
actionlog.time = Time actionlog.time = Time
actionlog.user = User actionlog.user = User
bortalApplication.BILL = Creating, and managing bills bortalApplication.BILL = Creating, and managing bills
bortalApplication.COMPO = Managing compos bortalApplication.COMPO = Managing compos
bortalApplication.CONTENT = Product & shop management bortalApplication.CONTENT = Product & shop management
bortalApplication.LAYOUT = Laout management bortalApplication.LAYOUT = Laout management
bortalApplication.MAP = Map management bortalApplication.MAP = Map management
bortalApplication.POLL = Polling stuff bortalApplication.POLL = Polling stuff
bortalApplication.SALESPOINT = Managing salespoint bortalApplication.SALESPOINT = Managing salespoint
bortalApplication.SHOP = Product % shop management bortalApplication.SHOP = Product % shop management
bortalApplication.TERMINAL = Sales and self help terminal roles bortalApplication.TERMINAL = Sales and self help terminal roles
bortalApplication.USER = User management related bortalApplication.USER = User management related
bortalApplication.bill.CREATE_BILL = Create bills for self bortalApplication.bill.CREATE_BILL = Create bills for self
bortalApplication.bill.READ_ALL = "Read all bills" bortalApplication.bill.READ_ALL = "Read all bills"
bortalApplication.bill.VIEW_OWN = View own bills bortalApplication.bill.VIEW_OWN = View own bills
bortalApplication.bill.WRITE_ALL = Modify all bills bortalApplication.bill.WRITE_ALL = Modify all bills
bortalApplication.compo.MANAGE = Manage compos bortalApplication.compo.MANAGE = Manage compos
bortalApplication.compo.SUBMIT_ENTRY = Submit entry bortalApplication.compo.SUBMIT_ENTRY = Submit entry
bortalApplication.compo.VIEW_COMPOS = View compos bortalApplication.compo.VIEW_COMPOS = View compos
bortalApplication.compo.VOTE = Vote bortalApplication.compo.VOTE = Vote
bortalApplication.content.MANAGE_ACTIONLOG = Manage actionlog bortalApplication.content.MANAGE_ACTIONLOG = Manage actionlog
bortalApplication.content.MANAGE_MENU = Manage menus bortalApplication.content.MANAGE_MENU = Manage menus
bortalApplication.content.MANAGE_NEWS = Manage newsgroups bortalApplication.content.MANAGE_NEWS = Manage newsgroups
bortalApplication.content.MANAGE_PAGES = Manage pages bortalApplication.content.MANAGE_PAGES = Manage pages
bortalApplication.map.BUY_PLACES = Reserve and buy places from map bortalApplication.map.BUY_PLACES = Reserve and buy places from map
bortalApplication.map.MANAGE_MAPS = Create and modify maps bortalApplication.map.MANAGE_MAPS = Create and modify maps
bortalApplication.map.MANAGE_OTHERS = Manage other users reservations in map bortalApplication.map.MANAGE_OTHERS = Manage other users reservations in map
bortalApplication.map.VIEW = View maps bortalApplication.map.VIEW = View maps
bortalApplication.poll.ANSWER = Can answer and view availabe polls bortalApplication.poll.ANSWER = Can answer and view availabe polls
bortalApplication.poll.CREATE = Create and manage polls bortalApplication.poll.CREATE = Create and manage polls
bortalApplication.poll.VIEW_RESULTS = View anonymized poll results bortalApplication.poll.VIEW_RESULTS = View anonymized poll results
bortalApplication.salespoint.MODIFY = Modify salespoints bortalApplication.salespoint.MODIFY = Modify salespoints
bortalApplication.salespoint.VIEW = View salespoints bortalApplication.salespoint.VIEW = View salespoints
bortalApplication.shop.LIST_ALL_PRODUCTS = List all products in shop bortalApplication.shop.LIST_ALL_PRODUCTS = List all products in shop
bortalApplication.shop.LIST_USERPRODUCTS = List products for users in shop bortalApplication.shop.LIST_USERPRODUCTS = List products for users in shop
bortalApplication.shop.MANAGE_PRODUCTS = Create and modify products bortalApplication.shop.MANAGE_PRODUCTS = Create and modify products
bortalApplication.shop.SHOP_PRODUCTS = Shop products to self bortalApplication.shop.SHOP_PRODUCTS = Shop products to self
bortalApplication.shop.SHOP_TO_OTHERS = Shop to other users bortalApplication.shop.SHOP_TO_OTHERS = Shop to other users
bortalApplication.terminal.CASHIER = Access cashier terminal functions bortalApplication.terminal.CASHIER = Access cashier terminal functions
bortalApplication.terminal.CUSTOMER = Access client terminal functions bortalApplication.terminal.CUSTOMER = Access client terminal functions
bortalApplication.terminal.SELFHELP = Self help terminal bortalApplication.terminal.SELFHELP = Self help terminal
bortalApplication.user.ANYUSER = All users have this anyways bortalApplication.user.ANYUSER = All users have this anyways
bortalApplication.user.CREATE_NEW = Create new user bortalApplication.user.CREATE_NEW = Create new user
bortalApplication.user.INVITE_USERS = Invite users bortalApplication.user.INVITE_USERS = Invite users
bortalApplication.user.LOGIN = Can login bortalApplication.user.LOGIN = Can login
bortalApplication.user.LOGOUT = Can logout bortalApplication.user.LOGOUT = Can logout
bortalApplication.user.MANAGE_HTTP_SESSION = Manage http sessions bortalApplication.user.MANAGE_HTTP_SESSION = Manage http sessions
bortalApplication.user.MODIFY = Modify users bortalApplication.user.MODIFY = Modify users
bortalApplication.user.MODIFY_ACCOUNTEVENTS = Modify Account events bortalApplication.user.MODIFY_ACCOUNTEVENTS = Modify Account events
bortalApplication.user.READ_ORGROLES = View organization roles bortalApplication.user.READ_ORGROLES = View organization roles
bortalApplication.user.READ_ROLES = View all roles. bortalApplication.user.READ_ROLES = View all roles.
bortalApplication.user.VIEW_ACCOUNTEVENTS = Show other users account events bortalApplication.user.VIEW_ACCOUNTEVENTS = Show other users account events
bortalApplication.user.VIEW_ALL = View all users bortalApplication.user.VIEW_ALL = View all users
bortalApplication.user.VIEW_SELF = Can view self bortalApplication.user.VIEW_SELF = Can view self
bortalApplication.user.WRITE_ORGROLES = Modify organization roles bortalApplication.user.WRITE_ORGROLES = Modify organization roles
bortalApplication.user.WRITE_ROLES = Modify roles bortalApplication.user.WRITE_ROLES = Modify roles
cardTemplate.emptyCardTemplate = ---- cardTemplate.emptyCardTemplate = ----
error.contact = If this happens again, contact Info with the following code: error.contact = If this happens again, contact Info with the following code:
error.error = You have encountered an error. error.error = You have encountered an error.
eventorg.create = Create eventorg.create = Create
global.cancel = Cancel global.cancel = Cancel
global.copyright = Codecrew Ry global.copyright = Codecrew Ry
global.notAuthorizedExecute = You are not authorized to do that!! global.notAuthorizedExecute = You are not authorized to do that!!
global.notauthorized = You don't have enough rights to enter this site. global.notauthorized = You don't have enough rights to enter this site.
global.save = Save global.save = Save
httpsession.creationTime = Created httpsession.creationTime = Created
login.login = Login login.login = Login
login.logout = Logout login.logout = Logout
login.logoutmessage = You have logged out of the system login.logoutmessage = You have logged out of the system
login.password = Password login.password = Password
login.submit = Login login.submit = Login
login.username = Username login.username = Username
loginerror.header = Login failed loginerror.header = Login failed
loginerror.message = Username of password incorrect. loginerror.message = Username of password incorrect.
loginerror.resetpassword = Reset password loginerror.resetpassword = Reset password
#Bill number #Bill number
# Validationmessages # Validationmessages
map.id = # map.id = #
navi.auth.login = frontpage navi.auth.login = frontpage
navi.auth.loginerror = frontpage navi.auth.loginerror = frontpage
navi.auth.logout = frontpage navi.auth.logout = frontpage
pagegroup.auth.login = frontpage pagegroup.auth.login = frontpage
passwordChanged.body = You can now login with the new password. passwordChanged.body = You can now login with the new password.
passwordChanged.header = Password changed successfully. passwordChanged.header = Password changed successfully.
passwordReset.errorChanging = Unexpected error whilst password reset. Contact your administrator. passwordReset.errorChanging = Unexpected error whilst password reset. Contact your administrator.
passwordReset.hashNotFound = Password change token has expired. Please send the query again. passwordReset.hashNotFound = Password change token has expired. Please send the query again.
permissiondenied.alreadyLoggedIn = You don't have enough rights permissiondenied.alreadyLoggedIn = You don't have enough rights
permissiondenied.header = Access denied permissiondenied.header = Access denied
permissiondenied.notLoggedIn = You don't have enough rights to enter this site. permissiondenied.notLoggedIn = You don't have enough rights to enter this site.
placegroupview.toptext = \ placegroupview.toptext = \
poll.edit = edit poll.edit = edit
product.providedRole = Tuote m\u00E4\u00E4ritt\u00E4\u00E4 roolin product.providedRole = Tuote m\u00E4\u00E4ritt\u00E4\u00E4 roolin
product.returnProductEdit = Palaa tuotteeseen: product.returnProductEdit = Palaa tuotteeseen:
product.saved = Tuote tallennettu product.saved = Tuote tallennettu
productshop.minusOne = -1 productshop.minusOne = -1
productshop.minusTen = -10 productshop.minusTen = -10
productshop.plusOne = +1 productshop.plusOne = +1
productshop.plusTen = +10 productshop.plusTen = +10
resetMail.body = You can change a forgotten password by inserting your username to the field below. A link where you can change the password will be sent to the email address associated to that. resetMail.body = You can change a forgotten password by inserting your username to the field below. A link where you can change the password will be sent to the email address associated to that.
resetMail.header = Reset lost password resetMail.header = Reset lost password
resetMail.send = Send email resetMail.send = Send email
resetMail.username = Username resetMail.username = Username
resetmailSent.body = Email has been sent containing a link where you can change the password. resetmailSent.body = Email has been sent containing a link where you can change the password.
resetmailSent.header = Email sent resetmailSent.header = Email sent
user.unauthenticated = Kirjautumaton user.unauthenticated = Kirjautumaton
accountEvent.commit = Save accountEvent.commit = Save
accountEvent.delivered = Delivered accountEvent.delivered = Delivered
accountEvent.edit = Edit accountEvent.edit = Edit
accountEvent.eventTime = Time accountEvent.eventTime = Time
accountEvent.productname = Product accountEvent.productname = Product
accountEvent.quantity = Count accountEvent.quantity = Count
accountEvent.seller = Sold by accountEvent.seller = Sold by
accountEvent.total = Total accountEvent.total = Total
accountEvent.unitPrice = Unit price accountEvent.unitPrice = Unit price
actionlog.create.header = Create new actionmessage actionlog.create.header = Create new actionmessage
actionlog.create.message = Message actionlog.create.message = Message
actionlog.create.role = Target role actionlog.create.role = Target role
actionlog.create.submitbutton = Send actionlog.create.submitbutton = Send
actionlog.create.taskradio = Task actionlog.create.taskradio = Task
actionlog.crew = Crew actionlog.crew = Crew
actionlog.message = Event actionlog.message = Event
actionlog.messagelist.description = You can follow and create new action messages in this view actionlog.messagelist.description = You can follow and create new action messages in this view
actionlog.messagelist.header = Messagelist actionlog.messagelist.header = Messagelist
actionlog.messagestate.DONE = Done actionlog.messagestate.DONE = Done
actionlog.messagestate.NEW = New actionlog.messagestate.NEW = New
actionlog.messagestate.PENDING = Pending actionlog.messagestate.PENDING = Pending
actionlog.state = State actionlog.state = State
actionlog.task = Task actionlog.task = Task
actionlog.tasklist.header = Tasklist actionlog.tasklist.header = Tasklist
actionlog.time = Time actionlog.time = Time
actionlog.user = User actionlog.user = User
applicationPermission.description = description applicationPermission.description = description
applicationPermission.name = Rightsgroup applicationPermission.name = Rightsgroup
barcodeReader.readBarcode = Read barcode barcodeReader.readBarcode = Read barcode
bill.addr1 = Address 1 bill.addr1 = Address 1
bill.addr2 = Address 2 bill.addr2 = Address 2
bill.addr3 = Address 3 bill.addr3 = Address 3
bill.addr4 = Address 4 bill.addr4 = Address 4
bill.addr5 = Address 5 bill.addr5 = Address 5
bill.address = Payers address bill.address = Payers address
bill.billAmount = Bill amount bill.billAmount = Bill amount
bill.billIsPaid = Bill is paid bill.billIsPaid = Bill is paid
bill.billLines = Products bill.billLines = Products
bill.billNumber = Bill number bill.billNumber = Bill number
bill.billPaidDate = Paid date bill.billPaidDate = Paid date
bill.deliveryTerms = Delivery terms bill.deliveryTerms = Delivery terms
bill.edit = edit bill.edit = edit
bill.isPaid = Paid bill.isPaid = Paid
bill.markPaid = Mark paid bill.markPaid = Mark paid
bill.markedPaid = Bill marked paid bill.markedPaid = Bill marked paid
bill.notes = Notes bill.notes = Notes
bill.noticetime = Notice time bill.noticetime = Notice time
bill.ourReference = Our reference bill.ourReference = Our reference
bill.paidDate = Paid date bill.paidDate = Paid date
bill.payer = Payer bill.payer = Payer
bill.paymentTime = Payment time bill.paymentTime = Payment time
bill.paymentTime.now = Now bill.paymentTime.now = Now
bill.printBill = Print bill bill.printBill = Print bill
bill.receiverAddress = Receiver address bill.receiverAddress = Receiver address
bill.referenceNumberBase = Reference number base bill.referenceNumberBase = Reference number base
bill.referencenumber = Reference nr. bill.referencenumber = Reference nr.
bill.sentDate = Sent date bill.sentDate = Sent date
bill.show = Show bill.show = Show
bill.theirReference = Clients reference bill.theirReference = Clients reference
bill.totalPrice = Total bill.totalPrice = Total
billedit.billnotfound = Bill not found. Select again. billedit.billnotfound = Bill not found. Select again.
billine.linePrice = Total billine.linePrice = Total
billine.name = Product billine.name = Product
billine.quantity = Quantity billine.quantity = Quantity
billine.referencedProduct = Referenced product billine.referencedProduct = Referenced product
billine.save = Save billine.save = Save
billine.unitName = Unit billine.unitName = Unit
billine.unitPrice = Unit price billine.unitPrice = Unit price
billine.vat = VAT billine.vat = VAT
bills.noBills = No bills bills.noBills = No bills
card.massprint.title = Print all card.massprint.title = Print all
cardTemplate.create = Create cardTemplate.create = Create
cardTemplate.edit = Edit cardTemplate.edit = Edit
cardTemplate.id = Id cardTemplate.id = Id
cardTemplate.imageheader = Current Template cardTemplate.imageheader = Current Template
cardTemplate.name = Card template cardTemplate.name = Card template
cardTemplate.power = Card power cardTemplate.power = Card power
cardTemplate.roles = Associated roles cardTemplate.roles = Associated roles
cardTemplate.save = Save cardTemplate.save = Save
cardTemplate.sendImage = Upload Image cardTemplate.sendImage = Upload Image
cart.item = Item cart.item = Item
cart.item_quantity = Quantity cart.item_quantity = Quantity
cart.item_total = Total cart.item_total = Total
cart.item_unitprice = Price cart.item_unitprice = Price
cart.total = Total cart.total = Total
checkout.cancel.errorMessage = Error confirming the cancel\u2026 Please report this to code@codecrew.fi checkout.cancel.errorMessage = Error confirming the cancel\u2026 Please report this to code@codecrew.fi
checkout.cancel.successMessage = You can retry payment at your own bills. checkout.cancel.successMessage = You can retry payment at your own bills.
checkout.reject.errorMessage = Error while processing rejected payment. Please report this error to code@codecrew.fi checkout.reject.errorMessage = Error while processing rejected payment. Please report this error to code@codecrew.fi
checkout.reject.successMessage = Payment rejected. You can retry payment from your own bills. checkout.reject.successMessage = Payment rejected. You can retry payment from your own bills.
checkout.return.errorDelayed = Error confirming delayed payment. Please contact code@codecrew.fi checkout.return.errorDelayed = Error confirming delayed payment. Please contact code@codecrew.fi
checkout.return.errorMessage = Error confirming the successfull return message. Please report this error to code@codecrew.fi checkout.return.errorMessage = Error confirming the successfull return message. Please report this error to code@codecrew.fi
checkout.return.successDelayed = Delayed payment successfull. Payment will be confirmed at a later time, usually within a hour. checkout.return.successDelayed = Delayed payment successfull. Payment will be confirmed at a later time, usually within a hour.
checkout.return.successMessage = Payment confirmed. Your products have been paid. You can now move to possible reservation of places. checkout.return.successMessage = Payment confirmed. Your products have been paid. You can now move to possible reservation of places.
compo.edit = Edit compo compo.edit = Edit compo
compo.saveVotes = Save votes compo.saveVotes = Save votes
compo.savesort = Save order compo.savesort = Save order
compo.votesSaved = Votes saved compo.votesSaved = Votes saved
compofile.download = Download compofile.download = Download
compofile.download.header = Download file compofile.download.header = Download file
compofile.upload = Upload file compofile.upload = Upload file
discount.active = Active discount.active = Active
discount.amountMax = Max amount discount.amountMax = Max amount
discount.amountMin = Min amount discount.amountMin = Min amount
discount.code = Discount code discount.code = Discount code
discount.create = Create new discount.create = Create new
discount.details = Details discount.details = Details
discount.edit = Edit discount.edit = Edit
discount.maxNum = Max nr of discounts discount.maxNum = Max nr of discounts
discount.perUser = Discounts per user discount.perUser = Discounts per user
discount.percentage = Discount percent discount.percentage = Discount percent
discount.products = Products discount.products = Products
discount.role = Role discount discount.role = Role discount
discount.save = Save discount.save = Save
discount.shortdesc = Description discount.shortdesc = Description
discount.validFrom = Valid from discount.validFrom = Valid from
discount.validTo = Valid to discount.validTo = Valid to
editplace.header = Edit place editplace.header = Edit place
editplacegroup.header = Placegroup information editplacegroup.header = Placegroup information
entry.edit = Edit entry entry.edit = Edit entry
error.contact = If this happens again, contact Info with the following code: error.contact = If this happens again, contact Info with the following code:
error.error = You have encountered an error. error.error = You have encountered an error.
event.defaultRole = Default user role event.defaultRole = Default user role
event.edit = Edit event.edit = Edit
event.endTime = End time event.endTime = End time
event.name = Event name event.name = Event name
event.nextBillNumber = Initial bill number event.nextBillNumber = Initial bill number
event.referenceNumberBase = Reference number base event.referenceNumberBase = Reference number base
event.save = Save event.save = Save
event.startTime = Start time event.startTime = Start time
eventdomain.domainname = Domain eventdomain.domainname = Domain
eventdomain.remove = Remove eventdomain.remove = Remove
eventmap.active = Active eventmap.active = Active
eventmap.buyable.like = Place name match eventmap.buyable.like = Place name match
eventmap.buyable.lock = Lock places eventmap.buyable.lock = Lock places
eventmap.buyable.release = Release places eventmap.buyable.release = Release places
eventmap.name = Map name eventmap.name = Map name
eventmap.notes = Notes eventmap.notes = Notes
eventmap.save = Save eventmap.save = Save
eventorg.bankName1 = Bank name 2 eventorg.bankName1 = Bank name 2
eventorg.bankName2 = Bank name 2 eventorg.bankName2 = Bank name 2
eventorg.bankNumber1 = Bank account nr. 1 eventorg.bankNumber1 = Bank account nr. 1
eventorg.bankNumber2 = Bank account nr. 2 eventorg.bankNumber2 = Bank account nr. 2
eventorg.billAddress1 = Billing address 1 eventorg.billAddress1 = Billing address 1
eventorg.billAddress2 = Billing address 2 eventorg.billAddress2 = Billing address 2
eventorg.billAddress3 = Billing address 3 eventorg.billAddress3 = Billing address 3
eventorg.billAddress4 = Billing address 4 eventorg.billAddress4 = Billing address 4
eventorg.bundleCountry = Country bundle eventorg.bundleCountry = Country bundle
eventorg.create = Create eventorg.create = Create
eventorg.createEvent = Create event eventorg.createEvent = Create event
eventorg.createevent = Create new event eventorg.createevent = Create new event
eventorg.edit = Edit eventorg.edit = Edit
eventorg.events = Event of the organisation eventorg.events = Event of the organisation
eventorg.organisation = Organisation name eventorg.organisation = Organisation name
eventorg.save = Save eventorg.save = Save
eventorgView.eventname = Name of event eventorgView.eventname = Name of event
eventorganiser.name = Eventorganiser eventorganiser.name = Eventorganiser
food = Food food = Food
foodWave.description = Description foodWave.description = Description
foodWave.name = Name foodWave.name = Name
foodWave.template.name = Name foodWave.template.name = Name
foodWave.time = Time foodWave.time = Time
foodshop.buyFromCounter = Pay at info foodshop.buyFromCounter = Pay at info
foodshop.buyFromInternet = Pay at Internet foodshop.buyFromInternet = Pay at Internet
game.gamepoints = Game points foodwave.template.basicinfo = Template Information
foodwave.template.edit.title = Foodwave Template Editor
gamepoints = Gamepoints foodwave.template.list.title = Foodwave Templates
foodwave.template.selectproducts = Products
global.cancel = Cancel
global.copyright = Codecrew Ry foodwaveTemplate.name = Name
global.eventname = Event name
global.notAuthorizedExecute = You are not authorized to do that!! foodwavetemplate.actions = Actions
global.notauthorized = You don't have enough rights to enter this site. foodwavetemplate.addproduct = Add
global.save = Save foodwavetemplate.basicinfo = Template
foodwavetemplate.createFoodwave = Create Foodwave
httpsession.creationTime = Created foodwavetemplate.description = Description
httpsession.invalidate = Invalidate foodwavetemplate.editRow = Edit
foodwavetemplate.name = Name
imagefile.description = Description foodwavetemplate.price = Price
imagefile.file = Imagefile foodwavetemplate.productdescription = Description
foodwavetemplate.productname = Name
importuser.file = File foodwavetemplate.removeFromList = Remove
importuser.template = Template foodwavetemplate.save = Ok
foodwavetemplate.savetemplate = Submit
invite.emailexists = User with that email address already exists in the system. foodwavetemplate.selectproducts = Products
invite.notFound = Invite invalid or already used
invite.successfull = Invite sent successfully game.gamepoints = Game points
invite.userCreateSuccessfull = User successfully created. You can now login.
gamepoints = Gamepoints
javax.validation.constraints.AssertFalse.message = must be false
javax.validation.constraints.AssertTrue.message = must be true global.cancel = Cancel
javax.validation.constraints.DecimalMax.message = must be less than or equal to {value} global.copyright = Codecrew Ry
javax.validation.constraints.DecimalMin.message = must be greater than or equal to {value} global.eventname = Event name
javax.validation.constraints.Digits.message = numeric value out of bounds (<{integer} digits>.<{fraction} digits> expected) global.notAuthorizedExecute = You are not authorized to do that!!
javax.validation.constraints.Future.message = must be in the future global.notauthorized = You don't have enough rights to enter this site.
javax.validation.constraints.Max.message = must be less than or equal to {value} global.save = Save
javax.validation.constraints.Min.message = must be greater than or equal to {value}
javax.validation.constraints.NotNull.message = may not be null httpsession.creationTime = Created
javax.validation.constraints.Null.message = must be null httpsession.invalidate = Invalidate
javax.validation.constraints.Past.message = must be in the past
javax.validation.constraints.Pattern.message = must match "{regexp}" imagefile.description = Description
javax.validation.constraints.Size.message = size must be between {min} and {max} imagefile.file = Imagefile
layout.editBottom = Edit bottom content importuser.file = File
layout.editContent = Edit center importuser.template = Template
layout.editTop = Edit topcontent
invite.emailexists = User with that email address already exists in the system.
login.login = Login invite.notFound = Invite invalid or already used
login.logout = Logout invite.successfull = Invite sent successfully
login.logoutmessage = You have logged out of the system invite.userCreateSuccessfull = User successfully created. You can now login.
login.password = Password
login.submit = Login javax.validation.constraints.AssertFalse.message = must be false
login.username = Username javax.validation.constraints.AssertTrue.message = must be true
javax.validation.constraints.DecimalMax.message = must be less than or equal to {value}
loginerror.header = Login failed javax.validation.constraints.DecimalMin.message = must be greater than or equal to {value}
loginerror.message = Username of password incorrect. javax.validation.constraints.Digits.message = numeric value out of bounds (<{integer} digits>.<{fraction} digits> expected)
loginerror.resetpassword = Reset password javax.validation.constraints.Future.message = must be in the future
javax.validation.constraints.Max.message = must be less than or equal to {value}
map.edit = Edit javax.validation.constraints.Min.message = must be greater than or equal to {value}
map.generate = Generate places javax.validation.constraints.NotNull.message = may not be null
map.height = Place height (px) javax.validation.constraints.Null.message = must be null
map.id = # javax.validation.constraints.Past.message = must be in the past
map.name = Name javax.validation.constraints.Pattern.message = must match "{regexp}"
map.namebase = Semicolon separated table prefixes javax.validation.constraints.Size.message = size must be between {min} and {max}
map.oneRowTable = One row tables
map.placesInRow = Places in row layout.editBottom = Edit bottom content
map.product = Place product layout.editContent = Edit center
map.startX = Place start X-coordinate layout.editTop = Edit topcontent
map.startY = Place start Y-coordinate\n
map.submitMap = Send map image login.login = Login
map.tableCount = Place count login.logout = Logout
map.tableXdiff = Table X difference login.logoutmessage = You have logged out of the system
map.tableYdiff = Table Y difference login.password = Password
map.tablesHorizontal = Generate horizontal tables login.submit = Login
map.width = Place width (px) login.username = Username
mapEdit.removePlaces = Remove ALL places loginerror.header = Login failed
loginerror.message = Username of password incorrect.
mapManage.lockedPlaces = Locked {0} places. loginerror.resetpassword = Reset password
mapManage.releasedPlaces = Released {0} places
map.edit = Edit
mapView.buyPlaces = Lock selected places map.generate = Generate places
mapView.errorWhenReleasingPlace = Error when releasing place map.height = Place height (px)
mapView.errorWhenReservingPlace = Error when reserving place! map.id = #
mapView.errorWhileBuyingPlaces = Error when buying places. Please try again. If error reoccurs please contact organizers. map.name = Name
mapView.notEnoughCreditsToReserve = You don't have enough credits to reserve this place. map.namebase = Semicolon separated table prefixes
map.oneRowTable = One row tables
menu.item = Item map.placesInRow = Places in row
menu.name = Name map.product = Place product
menu.select = Select map.startX = Place start X-coordinate
menu.sort = Sort map.startY = Place start Y-coordinate\n
map.submitMap = Send map image
menuitem.navigation.key = Product flag map.tableCount = Place count
map.tableXdiff = Table X difference
nasty.user = Go away! map.tableYdiff = Table Y difference
map.tablesHorizontal = Generate horizontal tables
org.hibernate.validator.constraints.Email.message = not a well-formed email address map.width = Place width (px)
org.hibernate.validator.constraints.Length.message = length must be between {min} and {max}
org.hibernate.validator.constraints.NotEmpty.message = may not be empty mapEdit.removePlaces = Remove ALL places
org.hibernate.validator.constraints.Range.message = must be between {min} and {max}
mapManage.lockedPlaces = Locked {0} places.
orgrole.create = Create mapManage.releasedPlaces = Released {0} places
orgrole.name = Name
orgrole.parents = Parent mapView.buyPlaces = Lock selected places
mapView.errorWhenReleasingPlace = Error when releasing place
page.account.edit.header = Edit account events mapView.errorWhenReservingPlace = Error when reserving place!
page.account.list.header = Account events mapView.errorWhileBuyingPlaces = Error when buying places. Please try again. If error reoccurs please contact organizers.
page.admin.sendimage.header = Send image mapView.notEnoughCreditsToReserve = You don't have enough credits to reserve this place.
page.auth.login.header = Login error
page.auth.login.loginerror.header = Kirjautumisvirhe menu.item = Item
page.auth.login.loginerror.pagegroup = frontpage menu.name = Name
page.auth.login.logout.header = Uloskirjautuminen menu.select = Select
page.auth.login.logout.pagegroup = frontpage menu.sort = Sort
page.auth.login.pagegroup = frontpage
page.auth.login.title = Login error menuitem.navigation.key = Product flag
page.auth.loginerror.header = Login failed
page.auth.loginerror.pagegroup = frontpage nasty.user = Go away!
page.auth.logout.pagegroup = frontpage
page.auth.notauthorized.pagegroup = frontpage org.hibernate.validator.constraints.Email.message = not a well-formed email address
page.auth.resetPassword.header = Reset password org.hibernate.validator.constraints.Length.message = length must be between {min} and {max}
page.bill.billSummary.header = Summary of bills org.hibernate.validator.constraints.NotEmpty.message = may not be empty
page.bill.edit.header = Edit bill org.hibernate.validator.constraints.Range.message = must be between {min} and {max}
page.bill.listAll.header = Bills
page.bill.placemap.header = Place map orgrole.create = Create
page.bill.show.header = Bill info orgrole.name = Name
page.checkout.cancel.header = Payment cancelled! orgrole.parents = Parent
page.checkout.delayed.header = Delayed payment
page.checkout.reject.header = Payment rejected! page.account.edit.header = Edit account events
page.checkout.return.header = Payment confirmed page.account.list.header = Account events
page.game.list.header = Insomnia Game page.admin.sendimage.header = Send image
page.game.start.header = Insomnia Game page.auth.login.header = Login error
page.index.header = Frontpage page.auth.login.loginerror.header = Kirjautumisvirhe
page.index.pagegroup = frontpage page.auth.login.loginerror.pagegroup = frontpage
page.permissionDenied.header = Access denied page.auth.login.logout.header = Uloskirjautuminen
page.place.edit.header = Edit place page.auth.login.logout.pagegroup = frontpage
page.place.insertToken.header = Insert place token page.auth.login.pagegroup = frontpage
page.place.mygroups.header = My places page.auth.login.title = Login error
page.place.placemap.header = Reserve place page.auth.loginerror.header = Login failed
page.poll.answer.header = Poll page.auth.loginerror.pagegroup = frontpage
page.poll.answered.header = Thank you for your answer page.auth.logout.pagegroup = frontpage
page.poll.start.header = Poll page.auth.notauthorized.pagegroup = frontpage
page.product.create.pagegroup = admin page.auth.resetPassword.header = Reset password
page.product.createBill.header = Buy products page.bill.billSummary.header = Summary of bills
page.product.createBill.pagegroup = shop page.bill.edit.header = Edit bill
page.product.edit.pagegroup = admin page.bill.listAll.header = Bills
page.product.list.pagegroup = admin page.bill.placemap.header = Place map
page.product.validateBillProducts.header = Bill created page.bill.show.header = Bill info
page.role.create.pagegroup = admin page.checkout.cancel.header = Payment cancelled!
page.role.edit.pagegroup = admin page.checkout.delayed.header = Delayed payment
page.role.list.pagegroup = admin page.checkout.reject.header = Payment rejected!
page.shop.readerevents.header = RFID shop page.checkout.return.header = Payment confirmed
page.svm.failure.header = Payment error page.game.list.header = Insomnia Game
page.svm.pending.header = Payment pending page.game.start.header = Insomnia Game
page.svm.success.header = Payment successfull page.index.header = Frontpage
page.tests.placemap.pagegroup = shop page.index.pagegroup = frontpage
page.user.create.header = New user page.permissionDenied.header = Access denied
page.user.create.pagegroup = user page.place.edit.header = Edit place
page.user.edit.header = Edit user page.place.insertToken.header = Insert place token
page.user.edit.pagegroup = user page.place.mygroups.header = My places
page.user.editself.header = My preferences page.place.placemap.header = Reserve place
page.user.editself.pagegroup = user page.poll.answer.header = Poll
page.user.list.header = Users page.poll.answered.header = Thank you for your answer
page.user.list.pagegroup = user page.poll.start.header = Poll
page.user.mygroups.header = My places page.product.create.pagegroup = admin
page.viewexpired = frontpage page.product.createBill.header = Buy products
page.product.createBill.pagegroup = shop
pagination.firstpage = First page.product.edit.pagegroup = admin
pagination.lastpage = Last page.product.list.pagegroup = admin
pagination.nextpage = Next page.product.validateBillProducts.header = Bill created
pagination.pages = Pages page.role.create.pagegroup = admin
pagination.previouspage = Previous page.role.edit.pagegroup = admin
pagination.results = Results page.role.list.pagegroup = admin
page.shop.readerevents.header = RFID shop
passwordChanged.body = You can now login with the new password. page.svm.failure.header = Payment error
passwordChanged.header = Password changed successfully. page.svm.pending.header = Payment pending
page.svm.success.header = Payment successfull
passwordReset.errorChanging = Unexpected error whilst password reset. Contact your administrator. page.tests.placemap.pagegroup = shop
passwordReset.hashNotFound = Password change token has expired. Please send the query again. page.user.create.header = New user
page.user.create.pagegroup = user
passwordreset.mailBody = You can change your password in address: {0}\n\nIf you have not requested password reset, ignore this message.\n\nStream intranet\nwww.streamparty.org\ninfo@streamparty.org page.user.edit.header = Edit user
passwordreset.mailSubject = [STREAM] Password reset page.user.edit.pagegroup = user
passwordreset.usernotfound = Username not found. Please note that username is case sensitive. page.user.editself.header = My preferences
page.user.editself.pagegroup = user
permissiondenied.alreadyLoggedIn = You don't have enough rights page.user.list.header = Users
permissiondenied.header = Access denied page.user.list.pagegroup = user
permissiondenied.notLoggedIn = You don't have enough rights to enter this site. page.user.mygroups.header = My places
page.viewexpired = frontpage
place.buyable = Buyable
place.code = Placecode pagination.firstpage = First
place.commit = Save pagination.lastpage = Last
place.description = Description pagination.nextpage = Next
place.details = Details pagination.pages = Pages
place.edit = Edit pagination.previouspage = Previous
place.height = Height pagination.results = Results
place.id = ID
place.mapX = X passwordChanged.body = You can now login with the new password.
place.mapY = Y passwordChanged.header = Password changed successfully.
place.membership = Associated user
place.name = Name passwordReset.errorChanging = Unexpected error whilst password reset. Contact your administrator.
place.product = Product passwordReset.hashNotFound = Password change token has expired. Please send the query again.
place.releasetime = Releasetime
place.width = Width passwordreset.mailBody = You can change your password in address: {0}\n\nIf you have not requested password reset, ignore this message.\n\nStream intranet\nwww.streamparty.org\ninfo@streamparty.org
passwordreset.mailSubject = [STREAM] Password reset
placeSelect.legend.blue = My selected place passwordreset.usernotfound = Username not found. Please note that username is case sensitive.
placeSelect.legend.green = My reserved place
placeSelect.legend.grey = Released if needed permissiondenied.alreadyLoggedIn = You don't have enough rights
placeSelect.legend.red = Reserved place permissiondenied.header = Access denied
placeSelect.legend.white = Empty place permissiondenied.notLoggedIn = You don't have enough rights to enter this site.
placeSelect.placeName = Place
placeSelect.placePrice = Price place.buyable = Buyable
placeSelect.placeProductName = Place type place.code = Placecode
placeSelect.placesleft = Places left place.commit = Save
placeSelect.reservationPrice = Reservation price place.description = Description
placeSelect.reservedPlaces = Reserved places place.details = Details
placeSelect.totalPlaces = Places in total place.edit = Edit
place.height = Height
placegroup.created = Created place.id = ID
placegroup.creator = Reserver place.mapX = X
placegroup.details = Details place.mapY = Y
placegroup.edit = Show place.membership = Associated user
placegroup.edited = Edited place.name = Name
placegroup.name = Name place.product = Product
placegroup.placename = Place place.releasetime = Releasetime
placegroup.places = Places place.width = Width
placegroup.printPdf = Print placecodes
placeSelect.legend.blue = My selected place
placegroupview.groupCreator = Reserver placeSelect.legend.green = My reserved place
placegroupview.header = My places placeSelect.legend.grey = Released if needed
placegroupview.noMemberships = No places placeSelect.legend.red = Reserved place
placegroupview.placeReleaseFailed = Releasing of place failed! placeSelect.legend.white = Empty place
placegroupview.placeReleased = Place {0} released placeSelect.placeName = Place
placegroupview.releasePlace = Release placeSelect.placePrice = Price
placegroupview.reservationName = Place placeSelect.placeProductName = Place type
placegroupview.reservationProduct = Product placeSelect.placesleft = Places left
placegroupview.token = Placecode / user placeSelect.reservationPrice = Reservation price
placeSelect.reservedPlaces = Reserved places
placetoken.commit = Associate token placeSelect.totalPlaces = Places in total
placetoken.pageHeader = Add token
placetoken.placelist = My places placegroup.created = Created
placetoken.token = Token placegroup.creator = Reserver
placetoken.tokenNotFound = Token not found! Check token placegroup.details = Details
placetoken.topText = You can associate a ticket bought by someone else to your account by inserting a token to the field below placegroup.edit = Show
placegroup.edited = Edited
poll.answer = Answer to poll placegroup.name = Name
poll.begin = Open poll placegroup.placename = Place
poll.create = Create placegroup.places = Places
poll.description = Description placegroup.printPdf = Print placecodes
poll.edit = Edit
poll.end = Close poll placegroupview.groupCreator = Reserver
poll.name = Poll name placegroupview.header = My places
poll.save = Send answers placegroupview.noMemberships = No places
placegroupview.placeReleaseFailed = Releasing of place failed!
product.barcode = Barcode placegroupview.placeReleased = Place {0} released
product.billed = Billed placegroupview.releasePlace = Release
product.boughtTotal = Products billed placegroupview.reservationName = Place
product.cart.count = To shoppingcart placegroupview.reservationProduct = Product
product.cashed = Cashpaid placegroupview.token = Placecode / user
product.color = Color in UI
product.create = Create product placetoken.commit = Associate token
product.createDiscount = Add volumediscount placetoken.pageHeader = Add token
product.edit = edit placetoken.placelist = My places
product.name = Name of product placetoken.token = Token
product.paid = Paid placetoken.tokenNotFound = Token not found! Check token
product.prepaid = Prepaid placetoken.topText = You can associate a ticket bought by someone else to your account by inserting a token to the field below
product.prepaidInstant = Created when prepaid is paid
product.price = Price of product poll.answer = Answer to poll
product.providedRole = Product defines role poll.begin = Open poll
product.save = Save poll.create = Create
product.shopInstant = Create automatic cashpayment poll.description = Description
product.sort = Sort nr poll.edit = Edit
product.totalPrice = Total poll.end = Close poll
product.unitName = Unit name poll.name = Poll name
product.vat = VAT poll.save = Send answers
productShopView.readBarcode = Read barcode product.barcode = Barcode
product.billed = Billed
products.save = Save product.boughtTotal = Products billed
product.cart.count = To shoppingcart
productshop.billCreated = Bill created product.cashed = Cashpaid
productshop.commit = Buy product.color = Color in UI
productshop.limits = Available product.create = Create product
productshop.minusOne = -1 product.createDiscount = Add volumediscount
productshop.minusTen = -10 product.edit = edit
productshop.noItemsInCart = There are no products in shopping cart product.name = Name of product
productshop.plusOne = +1 product.paid = Paid
productshop.plusTen = +10 product.prepaid = Prepaid
productshop.total = Total product.prepaidInstant = Created when prepaid is paid
product.price = Price of product
reader.assocToCard = Associate to card product.providedRole = Product defines role
reader.automaticProduct = Default product product.save = Save
reader.automaticProductCount = Amount product.shopInstant = Create automatic cashpayment
reader.createNewCard = Create new card product.sort = Sort nr
reader.description = Description product.totalPrice = Total
reader.edit = Edit product.unitName = Unit name
reader.identification = Identification product.vat = VAT
reader.name = Reader name
reader.save = Save productShopView.readBarcode = Read barcode
reader.select = Select reader
reader.tag = Tag products.save = Save
reader.type = Type
reader.user = User productshop.billCreated = Bill created
productshop.commit = Buy
readerView.searchforuser = Search user productshop.limits = Available
productshop.minusOne = -1
readerevent.associateToUser = Associate to user productshop.minusTen = -10
readerevent.seenSince = Last seen productshop.noItemsInCart = There are no products in shopping cart
readerevent.shopToUser = Buy to user productshop.plusOne = +1
readerevent.tagname = Tag productshop.plusTen = +10
productshop.total = Total
readerview.cards = Card ( printcount )
reader.assocToCard = Associate to card
resetMail.body = You can change a forgotten password by inserting your username to the field below. A link where you can change the password will be sent to the email address associated to that. reader.automaticProduct = Default product
resetMail.header = Reset lost password reader.automaticProductCount = Amount
resetMail.send = Send email reader.createNewCard = Create new card
resetMail.username = Username reader.description = Description
reader.edit = Edit
resetmailSent.body = Email has been sent containing a link where you can change the password. reader.identification = Identification
resetmailSent.header = Email sent reader.name = Reader name
reader.save = Save
rfidevent.empty = Empty reader.select = Select reader
rfidevent.reader = Reader reader.tag = Tag
rfidevent.searchuser = Search user reader.type = Type
rfidevent.tag = Tag reader.user = User
role.cardtemplate = Cardtemplate readerView.searchforuser = Search user
role.create = Create role
role.description = Description readerevent.associateToUser = Associate to user
role.edit = Edit readerevent.seenSince = Last seen
role.edit.save = Save readerevent.shopToUser = Buy to user
role.execute = (X) readerevent.tagname = Tag
role.name = Name
role.parents = Parents readerview.cards = Card ( printcount )
role.permissionheader = Role permissions
role.read = (R) resetMail.body = You can change a forgotten password by inserting your username to the field below. A link where you can change the password will be sent to the email address associated to that.
role.write = (W) resetMail.header = Reset lost password
resetMail.send = Send email
salespoint.edit = Edit resetMail.username = Username
salespoint.name = Name
salespoint.noSalesPoints = Amount resetmailSent.body = Email has been sent containing a link where you can change the password.
resetmailSent.header = Email sent
sendPicture.header = S
rfidevent.empty = Empty
shop.accountBalance = Account balance rfidevent.reader = Reader
shop.cash = Cash deposit rfidevent.searchuser = Search user
shop.readBarcode = Read barcode rfidevent.tag = Tag
shop.totalPrice = Price of products
shop.user = Selling to role.cardtemplate = Cardtemplate
role.create = Create role
sidebar.bill.list = My bills role.description = Description
sidebar.bill.listAll = All bills role.edit = Edit
sidebar.bill.summary = Summary of bills role.edit.save = Save
sidebar.bills = Bills role.execute = (X)
sidebar.cardTemplate.create = New card template role.name = Name
sidebar.cardTemplate.list = Show card templates role.parents = Parents
sidebar.createuser = Register a new account role.permissionheader = Role permissions
sidebar.eventorg.list = My organisations role.read = (R)
sidebar.map.list = Maps role.write = (W)
sidebar.map.placemap = Placemap
sidebar.maps = Maps salespoint.edit = Edit
sidebar.other = Other salespoint.name = Name
sidebar.product.create = New product salespoint.noSalesPoints = Amount
sidebar.product.createBill = Create bill
sidebar.product.list = Products sendPicture.header = S
sidebar.products = Products
sidebar.role.create = New role shop.accountBalance = Account balance
sidebar.role.list = Roles shop.cash = Cash deposit
sidebar.roles = Roles shop.readBarcode = Read barcode
sidebar.shop.readerEvents = Reader events shop.totalPrice = Price of products
sidebar.shop.readerlist = Show readers shop.user = Selling to
sidebar.user.create = New user
sidebar.user.editself = My preferences sidebar.bill.list = My bills
sidebar.user.list = Users sidebar.bill.listAll = All bills
sidebar.users = Users sidebar.bill.summary = Summary of bills
sidebar.utils.flushCache = Flush Cache sidebar.bills = Bills
sidebar.utils.testdata = Testdata sidebar.cardTemplate.create = New card template
sidebar.cardTemplate.list = Show card templates
sitepage.addContent = Add content block sidebar.createuser = Register a new account
sitepage.create = Create sidebar.eventorg.list = My organisations
sitepage.edit = Edit sidebar.map.list = Maps
sitepage.name = Page name sidebar.map.placemap = Placemap
sitepage.roles = Visible for roles sidebar.maps = Maps
sitepage.save = Save sidebar.other = Other
sidebar.product.create = New product
sitepagelist.header = Site pages sidebar.product.createBill = Create bill
sidebar.product.list = Products
submenu.auth.login = Login sidebar.products = Products
submenu.auth.logoutResponse = Logout successfull sidebar.role.create = New role
submenu.auth.sendResetMail = Password reset sidebar.role.list = Roles
submenu.bill.billSummary = Bill summary sidebar.roles = Roles
submenu.bill.list = My bills sidebar.shop.readerEvents = Reader events
submenu.bill.listAll = All bills sidebar.shop.readerlist = Show readers
submenu.index = Frontpage sidebar.user.create = New user
submenu.map.create = Create map sidebar.user.editself = My preferences
submenu.map.list = List maps sidebar.user.list = Users
submenu.orgrole.create = Create organisationrole sidebar.users = Users
submenu.orgrole.list = Organisation roles sidebar.utils.flushCache = Flush Cache
submenu.pages.create = Create content sidebar.utils.testdata = Testdata
submenu.pages.list = List pages
submenu.place.insertToken = Insert placecode sitepage.addContent = Add content block
submenu.place.myGroups = Place reservations sitepage.create = Create
submenu.place.placemap = Placemap sitepage.edit = Edit
submenu.poll.index = Polls sitepage.name = Page name
submenu.product.create = Create product sitepage.roles = Visible for roles
submenu.product.list = List products sitepage.save = Save
submenu.role.create = Create role
submenu.role.list = Roles sitepagelist.header = Site pages
submenu.shop.createBill = Shop
submenu.shop.listReaders = List readers submenu.auth.login = Login
submenu.shop.showReaderEvents = Reader events submenu.auth.logoutResponse = Logout successfull
submenu.user.accountEvents = Account events submenu.auth.sendResetMail = Password reset
submenu.user.changePassword = Change password submenu.bill.billSummary = Bill summary
submenu.user.create = Create new user submenu.bill.list = My bills
submenu.user.edit = User information submenu.bill.listAll = All bills
submenu.user.invite = Invite friends submenu.index = Frontpage
submenu.user.manageuserlinks = Manage users submenu.map.create = Create map
submenu.user.other = Other submenu.map.list = List maps
submenu.user.rolelinks = Manage roles submenu.orgrole.create = Create organisationrole
submenu.user.sendPicture = Send picture submenu.orgrole.list = Organisation roles
submenu.user.shop = Shop submenu.pages.create = Create content
submenu.user.userlinks = User information submenu.pages.list = List pages
submenu.useradmin.create = Create user submenu.place.insertToken = Insert placecode
submenu.useradmin.createCardTemplate = Create cardtemplate submenu.place.myGroups = Place reservations
submenu.useradmin.list = List users submenu.place.placemap = Placemap
submenu.useradmin.listCardTemplates = Card templates submenu.poll.index = Polls
submenu.useradmin.showTakePicture = Show webcam submenu.product.create = Create product
submenu.useradmin.validateUser = Validate user submenu.product.list = List products
submenu.voting.compolist = Compos submenu.role.create = Create role
submenu.voting.create = Create new compo submenu.role.list = Roles
submenu.voting.myEntries = My entries submenu.shop.createBill = Shop
submenu.shop.listReaders = List readers
supernavi.admin = Adminview submenu.shop.showReaderEvents = Reader events
supernavi.user = Userview submenu.user.accountEvents = Account events
submenu.user.changePassword = Change password
svm.failure.errorMessage = Payment error. submenu.user.create = Create new user
svm.failure.successMessage = Payment error successfull\u2026 ( Possibly already marked paid ) submenu.user.edit = User information
svm.pending.errorMessage = Unknown error! If payment was successfull email will be sent after verification. submenu.user.invite = Invite friends
svm.pending.successMessage = Payment pending. You will receive email after payment verification. submenu.user.manageuserlinks = Manage users
svm.success.errorMessage = Payment could not be verified! submenu.user.other = Other
svm.success.successMessage = Payment was successfull. You can now your credits in the system. submenu.user.rolelinks = Manage roles
submenu.user.sendPicture = Send picture
template.loggedInAs = Logged in as: submenu.user.shop = Shop
submenu.user.userlinks = User information
topnavi.adminshop = Adminshop submenu.useradmin.create = Create user
topnavi.billing = Billing submenu.useradmin.createCardTemplate = Create cardtemplate
topnavi.compos = Compos submenu.useradmin.list = List users
topnavi.contents = Site contents submenu.useradmin.listCardTemplates = Card templates
topnavi.foodwave = Food submenu.useradmin.showTakePicture = Show webcam
topnavi.frontpage = Front page submenu.useradmin.validateUser = Validate user
topnavi.log = Log submenu.voting.compolist = Compos
topnavi.maps = Maps submenu.voting.create = Create new compo
topnavi.placemap = Map submenu.voting.myEntries = My entries
topnavi.poll = Polls
topnavi.products = Products supernavi.admin = Adminview
topnavi.shop = Shop supernavi.user = Userview
topnavi.user = My properties
topnavi.userinit = User auth svm.failure.errorMessage = Payment error.
topnavi.usermgmt = Users svm.failure.successMessage = Payment error successfull\u2026 ( Possibly already marked paid )
svm.pending.errorMessage = Unknown error! If payment was successfull email will be sent after verification.
user.accountBalance = Account balance svm.pending.successMessage = Payment pending. You will receive email after payment verification.
user.accountEventHeader = Account events svm.success.errorMessage = Payment could not be verified!
user.accountevents = Account events svm.success.successMessage = Payment was successfull. You can now your credits in the system.
user.address = Address
user.bank = Bank template.loggedInAs = Logged in as:
user.bankaccount = Bank number
user.birthday = Birthday topnavi.adminshop = Adminshop
user.cardPower = Usertype topnavi.billing = Billing
user.changePassword = Change password topnavi.compos = Compos
user.changepassword.forUser = For user topnavi.contents = Site contents
user.changepassword.title = Change password topnavi.foodwave = Food
user.create = Create user topnavi.frontpage = Front page
user.createdmessage = User has been created successfully. You can now login. topnavi.log = Log
user.defaultImage = Default picture topnavi.maps = Maps
user.edit = Edit topnavi.placemap = Map
user.edit.title = My information topnavi.poll = Polls
user.email = Email topnavi.products = Products
user.firstNames = Firstname topnavi.shop = Shop
user.hasImage = Image topnavi.user = My properties
user.image = Image topnavi.userinit = User auth
user.imagelist = Saved images topnavi.usermgmt = Users
user.imagesubmit = Send image
user.insertToken = Insert token user.accountBalance = Account balance
user.invalidLoginCredentials = Invalid user credentials user.accountEventHeader = Account events
user.invite = Invite user.accountevents = Account events
user.invite.header = Accept invitation user.address = Address
user.invitemail = Email address user.bank = Bank
user.lastName = Lastname user.bankaccount = Bank number
user.login = Login user.birthday = Birthday
user.myGroups = My place reservations user.cardPower = Usertype
user.nick = Nick user.changePassword = Change password
user.noAccountevents = No account events user.changepassword.forUser = For user
user.noCurrentImage = No image user.changepassword.title = Change password
user.noImage = No image user.create = Create user
user.oldPassword = Current password user.createdmessage = User has been created successfully. You can now login.
user.page.invite = Invite friends user.defaultImage = Default picture
user.password = Password user.edit = Edit
user.passwordcheck = Password ( again ) user.edit.title = My information
user.passwordlengthMessage = Password is too short! user.email = Email
user.phone = Tel user.firstNames = Firstname
user.realname = Name user.hasImage = Image
user.roles = Roles user.image = Image
user.rolesave = Save roles user.imagelist = Saved images
user.save = Save user.imagesubmit = Send image
user.saveFailed = Save failed, Not enough permissions! user.insertToken = Insert token
user.saveSuccessfull = Changes saved successfully user.invalidLoginCredentials = Invalid user credentials
user.sendPicture = Send image user.invite = Invite
user.sex = Sex user.invite.header = Accept invitation
user.sex.FEMALE = Female user.invitemail = Email address
user.sex.MALE = Male user.lastName = Lastname
user.sex.UNDEFINED = Undefined user.login = Login
user.shop = Buy user.myGroups = My place reservations
user.shop.title = Shop to user user.nick = Nick
user.successfullySaved = Changes saved successfully user.noAccountevents = No account events
user.superadmin = Superadmin user.noCurrentImage = No image
user.thisIsCurrentImage = Current image user.noImage = No image
user.town = City user.oldPassword = Current password
user.uploadimage = Send image user.page.invite = Invite friends
user.username = Username user.password = Password
user.validate.notUniqueUsername = Username already exists. Please select another. user.passwordcheck = Password ( again )
user.validateUser.commit = Send user.passwordlengthMessage = Password is too short!
user.validateUser.header = Please insert credentials user.phone = Tel
user.wholeName = Name user.realname = Name
user.zipCode = Postal nr. user.roles = Roles
user.rolesave = Save roles
userImport.commit = Commit user.save = Save
user.saveFailed = Save failed, Not enough permissions!
userView.image = Image user.saveSuccessfull = Changes saved successfully
user.sendPicture = Send image
usercart.addSearchedUsers = Add searched users user.sex = Sex
usercart.cartsize = Size user.sex.FEMALE = Female
usercart.showCart = Show usercart user.sex.MALE = Male
usercart.traverse = Traverse user.sex.UNDEFINED = Undefined
user.shop = Buy
userimage.webcam = Take picture with webcam user.shop.title = Shop to user
user.successfullySaved = Changes saved successfully
userlist.header = Users user.superadmin = Superadmin
userlist.onlythisevent = Limit to users of this event user.thisIsCurrentImage = Current image
userlist.placeassoc = Assigned to place user.town = City
userlist.rolefilter = Assigned roles user.uploadimage = Send image
userlist.saldofilter = Saldo user.username = Username
userlist.search = Search user.validate.notUniqueUsername = Username already exists. Please select another.
userlist.showAdvancedSearch = Advanced search user.validateUser.commit = Send
user.validateUser.header = Please insert credentials
usertitle.managingUser = Shop user.wholeName = Name
user.zipCode = Postal nr.
userview.header = Users
userview.invalidEmail = Invalid email address userImport.commit = Commit
userview.loginstringFaulty = Username has to be atleast 2 characters long!
userview.oldPasswordError = Invalid password! userView.image = Image
userview.passwordTooShort = Password has to be atleast 5 characters long!
userview.passwordsChanged = Password changed usercart.addSearchedUsers = Add searched users
userview.passwordsDontMatch = Passwords do not match! Please try again! usercart.cartsize = Size
userview.userExists = Username already exists! please select another. usercart.showCart = Show usercart
usercart.traverse = Traverse
viewexpired.body = Please login again.
viewexpired.title = Login expired. Please login again. userimage.webcam = Take picture with webcam
voting.allcompos.curEntries = # of entries userlist.header = Users
voting.allcompos.descri = Description userlist.onlythisevent = Limit to users of this event
voting.allcompos.description = List of all compos and theirs information. userlist.placeassoc = Assigned to place
voting.allcompos.endTime = End time userlist.rolefilter = Assigned roles
voting.allcompos.header = All compos userlist.saldofilter = Saldo
voting.allcompos.maxParts = Max participants userlist.search = Search
voting.allcompos.name = Name userlist.showAdvancedSearch = Advanced search
voting.allcompos.startTime = Start time
voting.allcompos.submitEnd = Submit end usertitle.managingUser = Shop
voting.allcompos.submitEntry = Submit entry
voting.allcompos.submitStart = Submit start userview.header = Users
voting.allcompos.voteEnd = Vote end userview.invalidEmail = Invalid email address
voting.allcompos.voteStart = Vote start userview.loginstringFaulty = Username has to be atleast 2 characters long!
voting.compo.submit = Submit entry userview.oldPasswordError = Invalid password!
voting.compo.vote = Vote userview.passwordTooShort = Password has to be atleast 5 characters long!
voting.compoentryadd.button = Send userview.passwordsChanged = Password changed
voting.compoentryadd.description = Add new entry to compo userview.passwordsDontMatch = Passwords do not match! Please try again!
voting.compoentryadd.entryname = Name userview.userExists = Username already exists! please select another.
voting.compoentryadd.file = File
voting.compoentryadd.notes = Notes viewexpired.body = Please login again.
voting.compoentryadd.screenmessage = Screenmessage viewexpired.title = Login expired. Please login again.
voting.compoentryadd.title = Add entry
voting.compoentryadd.uploadedFile = File to voting.allcompos.curEntries = # of entries
voting.compoentrysave.button = Save voting.allcompos.descri = Description
voting.create.compoEnd = End time voting.allcompos.description = List of all compos and theirs information.
voting.create.compoStart = Start time voting.allcompos.endTime = End time
voting.create.createButton = Create voting.allcompos.header = All compos
voting.create.dateValidatorEndDate = End time before start time. voting.allcompos.maxParts = Max participants
voting.create.description = Description voting.allcompos.name = Name
voting.create.header = Create compo voting.allcompos.startTime = Start time
voting.create.maxParticipants = Max participants voting.allcompos.submitEnd = Submit end
voting.create.name = Name voting.allcompos.submitEntry = Submit entry
voting.create.submitEnd = Submit close voting.allcompos.submitStart = Submit start
voting.create.submitStart = Submit start voting.allcompos.voteEnd = Vote end
voting.create.voteEnd = Voting close voting.allcompos.voteStart = Vote start
voting.create.voteStart = Voting start voting.compo.submit = Submit entry
voting.compo.vote = Vote
voting.compoentryadd.button = Send
voting.compoentryadd.description = Add new entry to compo
voting.compoentryadd.entryname = Name
voting.compoentryadd.file = File
voting.compoentryadd.notes = Notes
voting.compoentryadd.screenmessage = Screenmessage
voting.compoentryadd.title = Add entry
voting.compoentryadd.uploadedFile = File to
voting.compoentrysave.button = Save
voting.create.compoEnd = End time
voting.create.compoStart = Start time
voting.create.createButton = Create
voting.create.dateValidatorEndDate = End time before start time.
voting.create.description = Description
voting.create.header = Create compo
voting.create.maxParticipants = Max participants
voting.create.name = Name
voting.create.submitEnd = Submit close
voting.create.submitStart = Submit start
voting.create.voteEnd = Voting close
voting.create.voteStart = Voting start
#Generated by ResourceBundle Editor (http://eclipse-rbe.sourceforge.net) #Generated by ResourceBundle Editor (http://eclipse-rbe.sourceforge.net)
#Bill number #Bill number
# Validationmessages # Validationmessages
actionlog.create.header = Create new actionmessage actionlog.create.header = Create new actionmessage
actionlog.create.message = Message actionlog.create.message = Message
actionlog.create.role = Target role actionlog.create.role = Target role
actionlog.create.submitbutton = Send actionlog.create.submitbutton = Send
actionlog.create.taskradio = Task actionlog.create.taskradio = Task
actionlog.crew = Crew actionlog.crew = Crew
actionlog.message = Event actionlog.message = Event
actionlog.messagelist.description = You can follow and create new action messages in this view actionlog.messagelist.description = You can follow and create new action messages in this view
actionlog.messagelist.header = Messagelist actionlog.messagelist.header = Messagelist
actionlog.state = State actionlog.state = State
actionlog.task = Task actionlog.task = Task
actionlog.tasklist.header = Tasklist actionlog.tasklist.header = Tasklist
actionlog.time = Time actionlog.time = Time
actionlog.user = User actionlog.user = User
bill.billMarkedPaidMail.message = Your deposit number {0} has been marked as paid. bill.billMarkedPaidMail.message = Your deposit number {0} has been marked as paid.
bill.billMarkedPaidMail.subject = [Streamparty] Your credits have been updated bill.billMarkedPaidMail.subject = [Streamparty] Your credits have been updated
error.contact = If this happens again, contact Info with the following code: error.contact = If this happens again, contact Info with the following code:
error.error = You have encountered an error. error.error = You have encountered an error.
eventorg.create = Create eventorg.create = Create
eventorg.edit = Edit eventorg.edit = Edit
global.cancel = Cancel global.cancel = Cancel
global.copyright = Codecrew Ry global.copyright = Codecrew Ry
global.infomail = info@streamparty.org global.infomail = info@streamparty.org
global.notAuthorizedExecute = You are not authorized to execute that!! global.notAuthorizedExecute = You are not authorized to execute that!!
global.notauthorized = You don't have enough rights to enter this site. global.notauthorized = You don't have enough rights to enter this site.
global.save = Save global.save = Save
global.webpage = http://www.streamparty.org global.webpage = http://www.streamparty.org
httpsession.creationTime = Created httpsession.creationTime = Created
login.login = Login login.login = Login
login.logout = Logout login.logout = Logout
login.logoutmessage = You have logged out of the system login.logoutmessage = You have logged out of the system
login.password = Password login.password = Password
login.submit = Login login.submit = Login
login.username = Username login.username = Username
loginerror.header = Login failed loginerror.header = Login failed
loginerror.message = Username of password incorrect. loginerror.message = Username of password incorrect.
loginerror.resetpassword = Reset password loginerror.resetpassword = Reset password
passwordChanged.body = You can now login with the new password. passwordChanged.body = You can now login with the new password.
passwordChanged.header = Password changed successfully. passwordChanged.header = Password changed successfully.
passwordReset.errorChanging = Unexpected error whilst password reset. Contact your administrator. passwordReset.errorChanging = Unexpected error whilst password reset. Contact your administrator.
passwordReset.hashNotFound = Password change token has expired. Please send the query again. passwordReset.hashNotFound = Password change token has expired. Please send the query again.
permissiondenied.alreadyLoggedIn = You don't have enough rights permissiondenied.alreadyLoggedIn = You don't have enough rights
permissiondenied.header = Access denied permissiondenied.header = Access denied
permissiondenied.notLoggedIn = You don't have enough rights to enter this site. permissiondenied.notLoggedIn = You don't have enough rights to enter this site.
resetMail.body = You can change a forgotten password by inserting your username to the field below. A link where you can change the password will be sent to the email address associated to that. resetMail.body = You can change a forgotten password by inserting your username to the field below. A link where you can change the password will be sent to the email address associated to that.
resetMail.header = Reset lost password resetMail.header = Reset lost password
resetMail.send = Send email resetMail.send = Send email
resetMail.username = Username resetMail.username = Username
resetmailSent.body = Email has been sent containing a link where you can change the password. resetmailSent.body = Email has been sent containing a link where you can change the password.
resetmailSent.header = Email sent resetmailSent.header = Email sent
accountEvent.commit = Tallenna accountEvent.commit = Tallenna
accountEvent.delivered = Toimitettu accountEvent.delivered = Toimitettu
accountEvent.edit = Muokkaa accountEvent.edit = Muokkaa
accountEvent.eventTime = Aika accountEvent.eventTime = Aika
accountEvent.productname = Tuote accountEvent.productname = Tuote
accountEvent.quantity = Lkm accountEvent.quantity = Lkm
accountEvent.seller = Myyj\u00E4 accountEvent.seller = Myyj\u00E4
accountEvent.total = Yhteens\u00E4 accountEvent.total = Yhteens\u00E4
accountEvent.unitPrice = Yksikk\u00F6hinta accountEvent.unitPrice = Yksikk\u00F6hinta
actionlog.create.header = Luo uusi ActionMessage actionlog.create.header = Luo uusi ActionMessage
actionlog.create.message = Viesti actionlog.create.message = Viesti
actionlog.create.role = Kohderooli actionlog.create.role = Kohderooli
actionlog.create.submitbutton = L\u00E4het\u00E4 actionlog.create.submitbutton = L\u00E4het\u00E4
actionlog.create.taskradio = Teht\u00E4v\u00E4 actionlog.create.taskradio = Teht\u00E4v\u00E4
actionlog.crew = Crew actionlog.crew = Crew
actionlog.message = Tapahtuma actionlog.message = Tapahtuma
actionlog.messagelist.description = Voit seurata sek\u00E4 luoda uusia ActionMessageja t\u00E4ss\u00E4 n\u00E4kym\u00E4ss\u00E4. actionlog.messagelist.description = Voit seurata sek\u00E4 luoda uusia ActionMessageja t\u00E4ss\u00E4 n\u00E4kym\u00E4ss\u00E4.
actionlog.messagelist.header = Viestilista actionlog.messagelist.header = Viestilista
actionlog.messagestate.DONE = Tehty actionlog.messagestate.DONE = Tehty
actionlog.messagestate.NEW = Uusi actionlog.messagestate.NEW = Uusi
actionlog.messagestate.PENDING = Ty\u00F6n alla actionlog.messagestate.PENDING = Ty\u00F6n alla
actionlog.state = Tila actionlog.state = Tila
actionlog.task = Teht\u00E4v\u00E4 actionlog.task = Teht\u00E4v\u00E4
actionlog.tasklist.header = Teht\u00E4v\u00E4lista actionlog.tasklist.header = Teht\u00E4v\u00E4lista
actionlog.time = Aika actionlog.time = Aika
actionlog.user = Tekij\u00E4 actionlog.user = Tekij\u00E4
applicationPermission.description = kuvaus applicationPermission.description = kuvaus
applicationPermission.name = Oikeusryhm\u00E4 applicationPermission.name = Oikeusryhm\u00E4
barcodeReader.readBarcode = Lue viivakoodi barcodeReader.readBarcode = Lue viivakoodi
bill.addr1 = Osoite 1 bill.addr1 = Osoite 1
bill.addr2 = Osoite 2 bill.addr2 = Osoite 2
bill.addr3 = Osoite 3 bill.addr3 = Osoite 3
bill.addr4 = Osoite 4 bill.addr4 = Osoite 4
bill.addr5 = Osoite 5 bill.addr5 = Osoite 5
bill.address = Maksajan osoite bill.address = Maksajan osoite
bill.billAmount = Laskun summa bill.billAmount = Laskun summa
bill.billIsPaid = Lasku on maksettu bill.billIsPaid = Lasku on maksettu
bill.billLines = Tuotteet bill.billLines = Tuotteet
bill.billNumber = Laskun numero bill.billNumber = Laskun numero
bill.billPaidDate = Maksup\u00E4iv\u00E4 bill.billPaidDate = Maksup\u00E4iv\u00E4
bill.deliveryTerms = Toimitusehdot bill.deliveryTerms = Toimitusehdot
bill.edit = Muokkaa bill.edit = Muokkaa
bill.isPaid = Maksettu bill.isPaid = Maksettu
bill.markPaid = Maksettu bill.markPaid = Maksettu
bill.markedPaid = Lasku merkitty maksetuksi. bill.markedPaid = Lasku merkitty maksetuksi.
bill.notes = Huomioita bill.notes = Huomioita
bill.noticetime = Huomautusaika bill.noticetime = Huomautusaika
bill.ourReference = Myyj\u00E4n viite bill.ourReference = Myyj\u00E4n viite
bill.paidDate = Maksup\u00E4iv\u00E4 bill.paidDate = Maksup\u00E4iv\u00E4
bill.payer = Maksaja bill.payer = Maksaja
bill.paymentTime = Maksuehdot bill.paymentTime = Maksuehdot
bill.paymentTime.now = Heti bill.paymentTime.now = Heti
bill.printBill = Tulosta lasku bill.printBill = Tulosta lasku
bill.receiverAddress = Kauppiaan osoite bill.receiverAddress = Kauppiaan osoite
bill.referenceNumberBase = Viitenumeropohja bill.referenceNumberBase = Viitenumeropohja
bill.referencenumber = Viitenumero bill.referencenumber = Viitenumero
bill.sentDate = P\u00E4iv\u00E4ys bill.sentDate = P\u00E4iv\u00E4ys
bill.show = N\u00E4yt\u00E4 bill.show = N\u00E4yt\u00E4
bill.theirReference = Asiakkaan viite bill.theirReference = Asiakkaan viite
bill.totalPrice = Laskun summa bill.totalPrice = Laskun summa
billine.linePrice = Yhteens\u00E4 billine.linePrice = Yhteens\u00E4
billine.name = Tuote billine.name = Tuote
billine.quantity = Lukum\u00E4\u00E4r\u00E4 billine.quantity = Lukum\u00E4\u00E4r\u00E4
billine.referencedProduct = Tuoteviittaus billine.referencedProduct = Tuoteviittaus
billine.save = Tallenna billine.save = Tallenna
billine.unitName = Yksikk\u00F6 billine.unitName = Yksikk\u00F6
billine.unitPrice = Yksikk\u00F6hinta billine.unitPrice = Yksikk\u00F6hinta
billine.vat = ALV billine.vat = ALV
bills.noBills = Ei laskuja bills.noBills = Ei laskuja
card.massprint.title = Tulosta kaikki card.massprint.title = Tulosta kaikki
cardTemplate.create = Luo cardTemplate.create = Luo
cardTemplate.edit = Muokkaa cardTemplate.edit = Muokkaa
cardTemplate.id = Id cardTemplate.id = Id
cardTemplate.imageheader = Nykyinen pohja cardTemplate.imageheader = Nykyinen pohja
cardTemplate.name = Korttipohja cardTemplate.name = Korttipohja
cardTemplate.power = Teho cardTemplate.power = Teho
cardTemplate.roles = Yhdistetyt roolit cardTemplate.roles = Yhdistetyt roolit
cardTemplate.save = Tallenna cardTemplate.save = Tallenna
cardTemplate.sendImage = Lataa kuva cardTemplate.sendImage = Lataa kuva
cart.item = Tuote cart.item = Tuote
cart.item_quantity = M\u00E4\u00E4r\u00E4 cart.item_quantity = M\u00E4\u00E4r\u00E4
cart.item_total = Yhteens\u00E4 cart.item_total = Yhteens\u00E4
cart.item_unitprice = Hinta cart.item_unitprice = Hinta
cart.total = Yhteens\u00E4 cart.total = Yhteens\u00E4
checkout.cancel.errorMessage = Virhe peruutuksen vahvistuksessa\u2026 Ilmoita t\u00E4st\u00E4 osoitteeseen code@codecrew.fi checkout.cancel.errorMessage = Virhe peruutuksen vahvistuksessa\u2026 Ilmoita t\u00E4st\u00E4 osoitteeseen code@codecrew.fi
checkout.cancel.successMessage = Voit yritt\u00E4\u00E4 maksua uudelleen omista laskuistasi. checkout.cancel.successMessage = Voit yritt\u00E4\u00E4 maksua uudelleen omista laskuistasi.
checkout.reject.errorMessage = Virhe hyl\u00E4tyn maksun k\u00E4sittelyss\u00E4. Raportoi t\u00E4m\u00E4 virhe osoitteeseen: code@codecrew.fi checkout.reject.errorMessage = Virhe hyl\u00E4tyn maksun k\u00E4sittelyss\u00E4. Raportoi t\u00E4m\u00E4 virhe osoitteeseen: code@codecrew.fi
checkout.reject.successMessage = Maksu hyl\u00E4tty. Voit yritt\u00E4\u00E4 maksua uudelleen omista laskuistasi. checkout.reject.successMessage = Maksu hyl\u00E4tty. Voit yritt\u00E4\u00E4 maksua uudelleen omista laskuistasi.
checkout.return.errorDelayed = Virhe viiv\u00E4stetyn maksun vahvistuksessa. Ota yhteytt\u00E4 code@codecrew.fi checkout.return.errorDelayed = Virhe viiv\u00E4stetyn maksun vahvistuksessa. Ota yhteytt\u00E4 code@codecrew.fi
checkout.return.errorMessage = Virhe maksun onnistuneen maksun vahvistuksessa. Raportoi t\u00E4m\u00E4 virhe yll\u00E4pidolle: code@codecrew.fi checkout.return.errorMessage = Virhe maksun onnistuneen maksun vahvistuksessa. Raportoi t\u00E4m\u00E4 virhe yll\u00E4pidolle: code@codecrew.fi
checkout.return.successDelayed = Viiv\u00E4stetty maksu onnistunut. Maksu vahvistet\u00E4\u00E4n my\u00F6hemp\u00E4n\u00E4 ajankohtana, yleens\u00E4 noin tunnin sis\u00E4ll\u00E4. checkout.return.successDelayed = Viiv\u00E4stetty maksu onnistunut. Maksu vahvistet\u00E4\u00E4n my\u00F6hemp\u00E4n\u00E4 ajankohtana, yleens\u00E4 noin tunnin sis\u00E4ll\u00E4.
checkout.return.successMessage = Maksu vahvistettu. Tuotteet on maksettu ja voit siirty\u00E4 varmaan haluamiasi paikkoja. checkout.return.successMessage = Maksu vahvistettu. Tuotteet on maksettu ja voit siirty\u00E4 varmaan haluamiasi paikkoja.
compo.edit = Muokkaa compoa compo.edit = Muokkaa compoa
compo.saveVotes = Tallenna \u00E4\u00E4net compo.saveVotes = Tallenna \u00E4\u00E4net
compo.savesort = Tallenna j\u00E4rjestys compo.savesort = Tallenna j\u00E4rjestys
compo.votesSaved = \u00C4\u00E4net tallennettu compo.votesSaved = \u00C4\u00E4net tallennettu
compofile.download = lataa compofile.download = lataa
compofile.download.header = Lataa tiedosto compofile.download.header = Lataa tiedosto
compofile.upload = L\u00E4het\u00E4 tiedosto compofile.upload = L\u00E4het\u00E4 tiedosto
discount.active = Aktiivinen discount.active = Aktiivinen
discount.amountMax = Enimm\u00E4ism\u00E4\u00E4r\u00E4 discount.amountMax = Enimm\u00E4ism\u00E4\u00E4r\u00E4
discount.amountMin = V\u00E4himm\u00E4ism\u00E4\u00E4r\u00E4 discount.amountMin = V\u00E4himm\u00E4ism\u00E4\u00E4r\u00E4
discount.code = Alennuskoodi discount.code = Alennuskoodi
discount.create = Luo uusi discount.create = Luo uusi
discount.details = Tiedot discount.details = Tiedot
discount.edit = Muokkaa discount.edit = Muokkaa
discount.maxNum = Alennusten enimm\u00E4islkm discount.maxNum = Alennusten enimm\u00E4islkm
discount.perUser = Alennuksia per k\u00E4ytt\u00E4j\u00E4 discount.perUser = Alennuksia per k\u00E4ytt\u00E4j\u00E4
discount.percentage = Alennusprosentti discount.percentage = Alennusprosentti
discount.products = Tuotteet discount.products = Tuotteet
discount.role = Roolialennus discount.role = Roolialennus
discount.save = Tallenna discount.save = Tallenna
discount.shortdesc = Kuvaus discount.shortdesc = Kuvaus
discount.validFrom = Voimassa alkaen discount.validFrom = Voimassa alkaen
discount.validTo = Voimassa asti discount.validTo = Voimassa asti
editplace.header = Muokkaa paikkaa editplace.header = Muokkaa paikkaa
editplacegroup.header = Paikkaryhm\u00E4n tiedot editplacegroup.header = Paikkaryhm\u00E4n tiedot
entry.edit = Muokkaa entry.edit = Muokkaa
error.contact = Jos t\u00E4m\u00E4 toistuu, ota seuraava koodi talteen ja ota yhteys Infoon: error.contact = Jos t\u00E4m\u00E4 toistuu, ota seuraava koodi talteen ja ota yhteys Infoon:
error.error = Olet kohdannut virheen. error.error = Olet kohdannut virheen.
event.defaultRole = K\u00E4ytt\u00E4jien oletusrooli event.defaultRole = K\u00E4ytt\u00E4jien oletusrooli
event.edit = Muokkaa event.edit = Muokkaa
event.endTime = Lopetusp\u00E4iv\u00E4 event.endTime = Lopetusp\u00E4iv\u00E4
event.name = Tapahtuman nimi event.name = Tapahtuman nimi
event.nextBillNumber = Seuraavan laskun numero event.nextBillNumber = Seuraavan laskun numero
event.referenceNumberBase = Viitenumeron pohja event.referenceNumberBase = Viitenumeron pohja
event.save = Tallenna event.save = Tallenna
event.startTime = Aloitusp\u00E4iv\u00E4 event.startTime = Aloitusp\u00E4iv\u00E4
eventdomain.domainname = Domain eventdomain.domainname = Domain
eventdomain.remove = Poista eventdomain.remove = Poista
eventmap.active = Aktiivinen\u0009 eventmap.active = Aktiivinen\u0009
eventmap.buyable.like = Paikat eventmap.buyable.like = Paikat
eventmap.buyable.lock = Lukitse paikat eventmap.buyable.lock = Lukitse paikat
eventmap.buyable.release = Vapauta paikat eventmap.buyable.release = Vapauta paikat
eventmap.name = Kartan nimi eventmap.name = Kartan nimi
eventmap.notes = Lis\u00E4tiedot eventmap.notes = Lis\u00E4tiedot
eventmap.save = Tallenna eventmap.save = Tallenna
eventorg.bankName1 = Pankin nimi 1 eventorg.bankName1 = Pankin nimi 1
eventorg.bankName2 = Pankin nimi 2 eventorg.bankName2 = Pankin nimi 2
eventorg.bankNumber1 = Tilinumero 1 eventorg.bankNumber1 = Tilinumero 1
eventorg.bankNumber2 = Tilinumero 2 eventorg.bankNumber2 = Tilinumero 2
eventorg.billAddress1 = Laskutusosoite 1 eventorg.billAddress1 = Laskutusosoite 1
eventorg.billAddress2 = Laskutusosoite 2 eventorg.billAddress2 = Laskutusosoite 2
eventorg.billAddress3 = Laskutusosoite 3 eventorg.billAddress3 = Laskutusosoite 3
eventorg.billAddress4 = Laskutusosoite 4 eventorg.billAddress4 = Laskutusosoite 4
eventorg.bundleCountry = Kieli-bundle eventorg.bundleCountry = Kieli-bundle
eventorg.create = Luo eventorg.create = Luo
eventorg.createEvent = Luo tapahtuma eventorg.createEvent = Luo tapahtuma
eventorg.createevent = Luo uusi tapahtuma eventorg.createevent = Luo uusi tapahtuma
eventorg.edit = Muokkaa eventorg.edit = Muokkaa
eventorg.events = Organisaation tapahtumat eventorg.events = Organisaation tapahtumat
eventorg.organisation = Organisaation nimi eventorg.organisation = Organisaation nimi
eventorg.save = Tallenna eventorg.save = Tallenna
eventorgView.eventname = Tapahtuman nimi eventorgView.eventname = Tapahtuman nimi
eventorganiser.name = Tapahtumaj\u00E4rjest\u00E4j\u00E4 eventorganiser.name = Tapahtumaj\u00E4rjest\u00E4j\u00E4
food = Ruoka food = Ruoka
foodWave.description = Kuvaus foodWave.description = Kuvaus
foodWave.name = Nimi foodWave.name = Nimi
foodWave.template.name = Nimi foodWave.template.name = Nimi
foodWave.time = Aika foodWave.time = Aika
foodshop.buyFromCounter = Maksa infossa foodshop.buyFromCounter = Maksa infossa
foodshop.buyFromInternet = Maksa Internetiss\u00E4 foodshop.buyFromInternet = Maksa Internetiss\u00E4
game.gamepoints = Insomnia Game pisteet: foodwave.template.basicinfo = Template Infot
foodwave.template.edit.title = Foodwave Template Editori
gamepoints = Pelipisteit\u00E4 foodwave.template.list.title = Ruokatilaus Templatet
foodwave.template.selectproducts = Tuotteet
global.cancel = Peruuta
global.copyright = Codecrew Ry foodwaveTemplate.name = Nimi
global.eventname = Tapahtumanimi
global.notAuthorizedExecute = Sinulla ei ole riitt\u00E4v\u00E4sti oikeuksia suorittaa t\u00E4t\u00E4 toimenpidett\u00E4! foodwavetemplate.actions = Toimet
global.notauthorized = Sinulla ei ole riitt\u00E4vi\u00E4 oikeuksia t\u00E4lle sivulle. foodwavetemplate.addproduct = Lis\u00E4\u00E4
global.save = Tallenna foodwavetemplate.basicinfo = Templeitti
foodwavetemplate.createFoodwave = Luo ruokatilaus
httpsession.creationTime = Luotu foodwavetemplate.description = Kuvaus
httpsession.id = ID foodwavetemplate.editRow = Muokkaa
httpsession.invalidate = Mit\u00E4t\u00F6i foodwavetemplate.name = Nimi
httpsession.invalidateSuccessfull = Sessio onnistuneesti mit\uFFFDt\uFFFDity foodwavetemplate.price = Hinta
httpsession.isSessionNew = Uusi sessio foodwavetemplate.productdescription = Kuvaus
httpsession.lastAccessedTime = Viimeksi n\uFFFDhty foodwavetemplate.productname = Nimi\r\n
httpsession.maxInactiveInterval = Aikakatkaisu (s) foodwavetemplate.removeFromList = Poista
httpsession.sessionHasExisted = Ollut elossa (s) foodwavetemplate.save = Ok
httpsession.user = Tunnus foodwavetemplate.savetemplate = Tallenna
foodwavetemplate.selectproducts = Tuotteet
imagefile.description = Kuvaus
imagefile.file = Kuvatiedosto game.gamepoints = Insomnia Game pisteet:
importuser.file = Tiedosto gamepoints = Pelipisteit\u00E4
importuser.template = Malli
global.cancel = Peruuta
index.title = Etusivu global.copyright = Codecrew Ry
global.eventname = Tapahtumanimi
invite.emailexists = J\u00E4rjestelm\u00E4ss\u00E4 on jo k\u00E4ytt\u00E4j\u00E4tunnus samalla s\u00E4hk\u00F6postiosoitteella. global.notAuthorizedExecute = Sinulla ei ole riitt\u00E4v\u00E4sti oikeuksia suorittaa t\u00E4t\u00E4 toimenpidett\u00E4!
invite.notFound = Kutsu virheellinen tai jo k\u00E4ytetty. global.notauthorized = Sinulla ei ole riitt\u00E4vi\u00E4 oikeuksia t\u00E4lle sivulle.
invite.successfull = Kutsu l\u00E4hetetty global.save = Tallenna
invite.userCreateSuccessfull = K\u00E4ytt\u00E4j\u00E4tunnus luotu onnistuneesti. Voit nyt kirjautua sis\u00E4\u00E4n j\u00E4rjeselm\u00E4\u00E4n.
httpsession.creationTime = Luotu
javax.validation.constraints.AssertFalse.message = must be false httpsession.id = ID
javax.validation.constraints.AssertTrue.message = must be true httpsession.invalidate = Mit\u00E4t\u00F6i
javax.validation.constraints.DecimalMax.message = must be less than or equal to {value} httpsession.invalidateSuccessfull = Sessio onnistuneesti mit\uFFFDt\uFFFDity
javax.validation.constraints.DecimalMin.message = must be greater than or equal to {value} httpsession.isSessionNew = Uusi sessio
javax.validation.constraints.Digits.message = numeric value out of bounds (<{integer} digits>.<{fraction} digits> expected) httpsession.lastAccessedTime = Viimeksi n\uFFFDhty
javax.validation.constraints.Future.message = must be in the future httpsession.maxInactiveInterval = Aikakatkaisu (s)
javax.validation.constraints.Max.message = must be less than or equal to {value} httpsession.sessionHasExisted = Ollut elossa (s)
javax.validation.constraints.Min.message = must be greater than or equal to {value} httpsession.user = Tunnus
javax.validation.constraints.NotNull.message = may not be null
javax.validation.constraints.Null.message = must be null imagefile.description = Kuvaus
javax.validation.constraints.Past.message = must be in the past imagefile.file = Kuvatiedosto
javax.validation.constraints.Pattern.message = must match "{regexp}"
javax.validation.constraints.Size.message = size must be between {min} and {max} importuser.file = Tiedosto
importuser.template = Malli
layout.editBottom = Muokkaa alasis\u00E4lt\u00F6\u00E4
layout.editContent = Muokkaa sis\u00E4lt\u00F6\u00E4 index.title = Etusivu
layout.editTop = Muokkaa yl\u00E4sis\u00E4lt\u00F6\u00E4
invite.emailexists = J\u00E4rjestelm\u00E4ss\u00E4 on jo k\u00E4ytt\u00E4j\u00E4tunnus samalla s\u00E4hk\u00F6postiosoitteella.
login.login = Kirjaudu sis\u00E4\u00E4n invite.notFound = Kutsu virheellinen tai jo k\u00E4ytetty.
login.logout = Kirjaudu ulos invite.successfull = Kutsu l\u00E4hetetty
login.logoutmessage = Olet kirjautunut ulos j\u00E4rjestelm\u00E4st\u00E4. invite.userCreateSuccessfull = K\u00E4ytt\u00E4j\u00E4tunnus luotu onnistuneesti. Voit nyt kirjautua sis\u00E4\u00E4n j\u00E4rjeselm\u00E4\u00E4n.
login.password = Salasana
login.submit = Kirjaudu sis\u00E4\u00E4n javax.validation.constraints.AssertFalse.message = must be false
login.username = K\u00E4ytt\u00E4j\u00E4tunnus javax.validation.constraints.AssertTrue.message = must be true
javax.validation.constraints.DecimalMax.message = must be less than or equal to {value}
loginerror.header = Kirjautuminen ep\u00E4onnistui javax.validation.constraints.DecimalMin.message = must be greater than or equal to {value}
loginerror.message = K\u00E4ytt\u00E4j\u00E4tunnus tai salasana ei ollut oikein. javax.validation.constraints.Digits.message = numeric value out of bounds (<{integer} digits>.<{fraction} digits> expected)
loginerror.resetpassword = Salasana unohtunut? javax.validation.constraints.Future.message = must be in the future
javax.validation.constraints.Max.message = must be less than or equal to {value}
map.edit = Muokkaa javax.validation.constraints.Min.message = must be greater than or equal to {value}
map.generate = Generoi paikat javax.validation.constraints.NotNull.message = may not be null
map.height = Paikan korkeus (px) javax.validation.constraints.Null.message = must be null
map.id = # javax.validation.constraints.Past.message = must be in the past
map.name = Nimi javax.validation.constraints.Pattern.message = must match "{regexp}"
map.namebase = Puolipisteell\u00E4 erotetut p\u00F6yt\u00E4-etuliitteet javax.validation.constraints.Size.message = size must be between {min} and {max}
map.oneRowTable = Yhden rivin p\u00F6yd\u00E4t
map.placesInRow = Paikkoja riviss\u00E4 layout.editBottom = Muokkaa alasis\u00E4lt\u00F6\u00E4
map.product = Paikkatuote layout.editContent = Muokkaa sis\u00E4lt\u00F6\u00E4
map.startX = P\u00F6yd\u00E4n X-aloituskoord. layout.editTop = Muokkaa yl\u00E4sis\u00E4lt\u00F6\u00E4
map.startY = P\u00F6yd\u00E4n Y-aloituskoord.
map.submitMap = L\u00E4het\u00E4 karttapohja login.login = Kirjaudu sis\u00E4\u00E4n
map.tableCount = P\u00F6ytien lukum\u00E4\u00E4r\u00E4 login.logout = Kirjaudu ulos
map.tableXdiff = P\u00F6ytien v\u00E4li ( X ) login.logoutmessage = Olet kirjautunut ulos j\u00E4rjestelm\u00E4st\u00E4.
map.tableYdiff = P\u00F6ytien v\u00E4li ( Y ) login.password = Salasana
map.tablesHorizontal = P\u00F6yd\u00E4t vaakatasossa login.submit = Kirjaudu sis\u00E4\u00E4n
map.width = Leveys (px) login.username = K\u00E4ytt\u00E4j\u00E4tunnus
mapEdit.removePlaces = Poista kaikki paikat loginerror.header = Kirjautuminen ep\u00E4onnistui
loginerror.message = K\u00E4ytt\u00E4j\u00E4tunnus tai salasana ei ollut oikein.
mapManage.lockedPlaces = Lukittu kartasta {0} paikkaa. loginerror.resetpassword = Salasana unohtunut?
mapManage.releasedPlaces = Vapautettu kartasta {0} paikkaa
map.edit = Muokkaa
mapView.buyPlaces = Lukitse valitut paikat map.generate = Generoi paikat
mapView.errorWhenReleasingPlace = Paikkaa vapauttassa tapahtui virhe. map.height = Paikan korkeus (px)
mapView.errorWhenReservingPlace = Paikkaa varatessa tapahtui virhe. map.id = #
mapView.errorWhileBuyingPlaces = Virhe paikkojen ostossa. Ole hyv\u00E4 ja yrit\u00E4 uudelleen. Jos virhe toistuu ota yhteytt\u00E4 j\u00E4rjest\u00E4jiin. map.name = Nimi
mapView.notEnoughCreditsToReserve = Sinulla ei ole riitt\u00E4v\u00E4sti suoritettuja konepaikkamaksuja t\u00E4m\u00E4n paikan varaamiseen. map.namebase = Puolipisteell\u00E4 erotetut p\u00F6yt\u00E4-etuliitteet
map.oneRowTable = Yhden rivin p\u00F6yd\u00E4t
menu.index = Etusivu map.placesInRow = Paikkoja riviss\u00E4
menu.name = Nimi map.product = Paikkatuote
menu.place.placemap = Paikkakartta map.startX = P\u00F6yd\u00E4n X-aloituskoord.
menu.poll.index = Kyselyt map.startY = P\u00F6yd\u00E4n Y-aloituskoord.
menu.select = Valitse map.submitMap = L\u00E4het\u00E4 karttapohja
menu.shop.createBill = Kauppa map.tableCount = P\u00F6ytien lukum\u00E4\u00E4r\u00E4
menu.sort = J\u00E4rjest\u00E4 map.tableXdiff = P\u00F6ytien v\u00E4li ( X )
menu.user.edit = Omat tiedot map.tableYdiff = P\u00F6ytien v\u00E4li ( Y )
map.tablesHorizontal = P\u00F6yd\u00E4t vaakatasossa
news.abstract = Lyhennelm\u00E4 map.width = Leveys (px)
news.expire = Lopeta julkaisu
news.publish = Julkaise mapEdit.removePlaces = Poista kaikki paikat
news.save = Tallenna
news.title = Otsikko mapManage.lockedPlaces = Lukittu kartasta {0} paikkaa.
mapManage.releasedPlaces = Vapautettu kartasta {0} paikkaa
newsgroup.edit = Muokkaa
newsgroup.name = Uutisryhm\u00E4n nimi mapView.buyPlaces = Lukitse valitut paikat
newsgroup.priority = J\u00E4rjestysnumero mapView.errorWhenReleasingPlace = Paikkaa vapauttassa tapahtui virhe.
newsgroup.readerRole = Lukijoiden roolit mapView.errorWhenReservingPlace = Paikkaa varatessa tapahtui virhe.
newsgroup.writerRole = Kirjoittajaryhm\u00E4 mapView.errorWhileBuyingPlaces = Virhe paikkojen ostossa. Ole hyv\u00E4 ja yrit\u00E4 uudelleen. Jos virhe toistuu ota yhteytt\u00E4 j\u00E4rjest\u00E4jiin.
mapView.notEnoughCreditsToReserve = Sinulla ei ole riitt\u00E4v\u00E4sti suoritettuja konepaikkamaksuja t\u00E4m\u00E4n paikan varaamiseen.
newslist.header = Uutisryhm\u00E4t
menu.index = Etusivu
org.hibernate.validator.constraints.Email.message = not a well-formed email address menu.name = Nimi
org.hibernate.validator.constraints.Length.message = length must be between {min} and {max} menu.place.placemap = Paikkakartta
org.hibernate.validator.constraints.NotEmpty.message = may not be empty menu.poll.index = Kyselyt
org.hibernate.validator.constraints.Range.message = must be between {min} and {max} menu.select = Valitse
menu.shop.createBill = Kauppa
orgrole.create = Luo menu.sort = J\u00E4rjest\u00E4
orgrole.name = Nimi menu.user.edit = Omat tiedot
orgrole.parents = Periytyy
news.abstract = Lyhennelm\u00E4
page.account.list.header = Tilitapahtumat news.expire = Lopeta julkaisu
page.auth.loginerror.header = kirjautuminen ep\u00E4onnistui news.publish = Julkaise
page.auth.logout.header = Uloskirjautuminen news.save = Tallenna
page.auth.logoutsuccess.header = Logout news.title = Otsikko
page.auth.resetPassword.header = Nollaa salasana
page.bill.billSummary.header = Laskujen yhteenveto newsgroup.edit = Muokkaa
page.bill.list.header = Laskut newsgroup.name = Uutisryhm\u00E4n nimi
page.bill.show.header = Laskun tiedot newsgroup.priority = J\u00E4rjestysnumero
page.checkout.cancel.header = Maksu peruutettu. newsgroup.readerRole = Lukijoiden roolit
page.checkout.delayed.header = Viiv\u00E4stetty maksu newsgroup.writerRole = Kirjoittajaryhm\u00E4
page.checkout.reject.header = Maksu hyl\u00E4tty!
page.checkout.return.header = Maksu vahvistettu newslist.header = Uutisryhm\u00E4t
page.place.insertToken.header = Sy\u00F6t\u00E4 paikkakoodi
page.place.mygroups.header = Paikkaryhm\u00E4t org.hibernate.validator.constraints.Email.message = not a well-formed email address
page.place.placemap.header = Paikkakartta org.hibernate.validator.constraints.Length.message = length must be between {min} and {max}
page.product.createBill.header = Osta tuotteita org.hibernate.validator.constraints.NotEmpty.message = may not be empty
page.product.validateBillProducts.header = Lasku luotu org.hibernate.validator.constraints.Range.message = must be between {min} and {max}
page.svm.failure.header = Verkkomaksuvirhe
page.svm.pending.header = Maksukuittausta odotetaan orgrole.create = Luo
page.svm.success.header = Verkkomaksu onnistui orgrole.name = Nimi
page.user.create.header = Luo uusi k\u00E4ytt\u00E4j\u00E4 orgrole.parents = Periytyy
pagination.firstpage = Ensimm\u00E4inen page.account.list.header = Tilitapahtumat
pagination.lastpage = Viimeinen page.auth.loginerror.header = kirjautuminen ep\u00E4onnistui
pagination.nextpage = Seuraava page.auth.logout.header = Uloskirjautuminen
pagination.pages = Sivuja page.auth.logoutsuccess.header = Logout
pagination.previouspage = Edellinen page.auth.resetPassword.header = Nollaa salasana
pagination.results = Tuloksia page.bill.billSummary.header = Laskujen yhteenveto
page.bill.list.header = Laskut
passwordChanged.body = Voit nyt kirjautua k\u00E4ytt\u00E4j\u00E4tunnuksella ja uudella salasanalla sis\u00E4\u00E4n j\u00E4rjestelm\u00E4\u00E4n. page.bill.show.header = Laskun tiedot
passwordChanged.header = Salasana vaihdettu onnistuneesti page.checkout.cancel.header = Maksu peruutettu.
page.checkout.delayed.header = Viiv\u00E4stetty maksu
passwordReset.errorChanging = Odotamaton virhe. Ota yhteytt\u00E4 yll\u00E4pitoon. page.checkout.reject.header = Maksu hyl\u00E4tty!
passwordReset.hashNotFound = Salasanan vaihto on vanhentunut. Jos haluat vaihtaa salasanan l\u00E4het\u00E4 vaihtopyynt\u00F6 uudelleen. page.checkout.return.header = Maksu vahvistettu
page.place.insertToken.header = Sy\u00F6t\u00E4 paikkakoodi
passwordreset.mailBody = Voit vaihtaa salasanasi osoitteessa {0}\n\nJos et ole pyyt\u00E4nyt unohtuneen salasanan vaihtamista, ei t\u00E4h\u00E4n viestiin tarvitse reagoida.\n\nTerveisin,\nInsomnia lippupalvelu\nwww.insomnia.fi page.place.mygroups.header = Paikkaryhm\u00E4t
passwordreset.mailSubject = [INSOMNIA] Salasanan vaihtaminen page.place.placemap.header = Paikkakartta
passwordreset.usernotfound = Annettua k\u00E4ytt\u00E4j\u00E4tunnusta ei l\u00F6ydy. Huomioi ett\u00E4 isot ja pienet kirjaimet ovat merkitsevi\u00E4. page.product.createBill.header = Osta tuotteita
page.product.validateBillProducts.header = Lasku luotu
permissiondenied.alreadyLoggedIn = Sinulla ei ole riitt\u00E4v\u00E4sti oikeuksia! page.svm.failure.header = Verkkomaksuvirhe
permissiondenied.header = P\u00E4\u00E4sy kielletty page.svm.pending.header = Maksukuittausta odotetaan
permissiondenied.notLoggedIn = Sinulla ei ole riitt\u00E4v\u00E4sti oikeuksia t\u00E4lle sivulle. page.svm.success.header = Verkkomaksu onnistui
page.user.create.header = Luo uusi k\u00E4ytt\u00E4j\u00E4
place.buyable = Ostettavissa
place.code = Paikkakoodi pagination.firstpage = Ensimm\u00E4inen
place.commit = Tallenna pagination.lastpage = Viimeinen
place.description = Kuvaus pagination.nextpage = Seuraava
place.details = Tiedot pagination.pages = Sivuja
place.edit = Muokkaa pagination.previouspage = Edellinen
place.groupremove = Poista paikka paikkaryhm\u00E4st\u00E4 pagination.results = Tuloksia
place.height = Korkeus
place.id = ID passwordChanged.body = Voit nyt kirjautua k\u00E4ytt\u00E4j\u00E4tunnuksella ja uudella salasanalla sis\u00E4\u00E4n j\u00E4rjestelm\u00E4\u00E4n.
place.mapX = X passwordChanged.header = Salasana vaihdettu onnistuneesti
place.mapY = Y
place.membership = Yhdistetty k\u00E4ytt\u00E4j\u00E4 passwordReset.errorChanging = Odotamaton virhe. Ota yhteytt\u00E4 yll\u00E4pitoon.
place.name = Nimi passwordReset.hashNotFound = Salasanan vaihto on vanhentunut. Jos haluat vaihtaa salasanan l\u00E4het\u00E4 vaihtopyynt\u00F6 uudelleen.
place.noReserver = Ei liitetty k\u00E4ytt\u00E4j\u00E4\u00E4n
place.product = Tuote passwordreset.mailBody = Voit vaihtaa salasanasi osoitteessa {0}\n\nJos et ole pyyt\u00E4nyt unohtuneen salasanan vaihtamista, ei t\u00E4h\u00E4n viestiin tarvitse reagoida.\n\nTerveisin,\nInsomnia lippupalvelu\nwww.insomnia.fi
place.releasetime = Vapautusaika passwordreset.mailSubject = [INSOMNIA] Salasanan vaihtaminen
place.width = Leveys passwordreset.usernotfound = Annettua k\u00E4ytt\u00E4j\u00E4tunnusta ei l\u00F6ydy. Huomioi ett\u00E4 isot ja pienet kirjaimet ovat merkitsevi\u00E4.
placeSelect.legend.blue = Oma valittu paikka permissiondenied.alreadyLoggedIn = Sinulla ei ole riitt\u00E4v\u00E4sti oikeuksia!
placeSelect.legend.green = Oma ostettu paikka permissiondenied.header = P\u00E4\u00E4sy kielletty
placeSelect.legend.grey = Vapautetaan tarvittaessa permissiondenied.notLoggedIn = Sinulla ei ole riitt\u00E4v\u00E4sti oikeuksia t\u00E4lle sivulle.
placeSelect.legend.red = Varattu paikka
placeSelect.legend.white = Vapaa paikka place.buyable = Ostettavissa
placeSelect.placeName = Paikka place.code = Paikkakoodi
placeSelect.placePrice = Paikan hinta place.commit = Tallenna
placeSelect.placeProductName = Paikan tyyppi place.description = Kuvaus
placeSelect.placesleft = Paikkoja j\u00E4ljell\u00E4 place.details = Tiedot
placeSelect.reservationPrice = Tilauksen hinta place.edit = Muokkaa
placeSelect.reservedPlaces = Valitut paikat place.groupremove = Poista paikka paikkaryhm\u00E4st\u00E4
placeSelect.totalPlaces = Paikkoja yhteens\u00E4 place.height = Korkeus
place.id = ID
placegroup.created = Luotu place.mapX = X
placegroup.creator = Varaaja place.mapY = Y
placegroup.details = Tiedot place.membership = Yhdistetty k\u00E4ytt\u00E4j\u00E4
placegroup.edit = N\u00E4yt\u00E4 place.name = Nimi
placegroup.edited = Muokattu place.noReserver = Ei liitetty k\u00E4ytt\u00E4j\u00E4\u00E4n
placegroup.name = Nimi place.product = Tuote
placegroup.placename = Paikka place.releasetime = Vapautusaika
placegroup.places = Paikat place.width = Leveys
placegroup.printPdf = Tulosta paikkakoodit
placeSelect.legend.blue = Oma valittu paikka
placegroupview.groupCreator = Varaaja placeSelect.legend.green = Oma ostettu paikka
placegroupview.header = Omat paikat placeSelect.legend.grey = Vapautetaan tarvittaessa
placegroupview.noMemberships = Ei omia paikkoja placeSelect.legend.red = Varattu paikka
placegroupview.placeReleaseFailed = Paikan vapauttaminen ep\u00E4onnistui! placeSelect.legend.white = Vapaa paikka
placegroupview.placeReleased = Paikka {0} vapautettu placeSelect.placeName = Paikka
placegroupview.releasePlace = Vapauta placeSelect.placePrice = Paikan hinta
placegroupview.reservationName = Paikka placeSelect.placeProductName = Paikan tyyppi
placegroupview.reservationProduct = Tuote placeSelect.placesleft = Paikkoja j\u00E4ljell\u00E4
placegroupview.token = Paikkakoodi / k\u00E4ytt\u00E4j\u00E4 placeSelect.reservationPrice = Tilauksen hinta
placeSelect.reservedPlaces = Valitut paikat
placetoken.commit = Liit\u00E4 placeSelect.totalPlaces = Paikkoja yhteens\u00E4
placetoken.pageHeader = Lis\u00E4\u00E4 konepaikkakoodi
placetoken.placelist = Omat paikat placegroup.created = Luotu
placetoken.token = Paikkakoodi placegroup.creator = Varaaja
placetoken.tokenNotFound = Paikkakoodia ei l\u00F6ytynyt! Tarkista koodi. placegroup.details = Tiedot
placetoken.topText = Voit yhdist\u00E4\u00E4 paikan omaan k\u00E4ytt\u00E4j\u00E4tunnukseesi sy\u00F6tt\u00E4m\u00E4ll\u00E4 paikkakoodin allaolevaan kentt\u00E4\u00E4n. placegroup.edit = N\u00E4yt\u00E4
placegroup.edited = Muokattu
poll.answer = Vastaa kyselyyn placegroup.name = Nimi
poll.begin = Avaa kysely placegroup.placename = Paikka
poll.create = Luo placegroup.places = Paikat
poll.description = Kuvaus placegroup.printPdf = Tulosta paikkakoodit
poll.edit = Muokkaa
poll.end = Sulje kysely placegroupview.groupCreator = Varaaja
poll.name = Kyselyn nimi placegroupview.header = Omat paikat
poll.save = L\u00E4het\u00E4 vastauksesi placegroupview.noMemberships = Ei omia paikkoja
placegroupview.placeReleaseFailed = Paikan vapauttaminen ep\u00E4onnistui!
product.barcode = Viivakoodi placegroupview.placeReleased = Paikka {0} vapautettu
product.billed = Laskutettu placegroupview.releasePlace = Vapauta
product.boughtTotal = Tuotteita laskutettu placegroupview.reservationName = Paikka
product.cart.count = Ostoskoriin placegroupview.reservationProduct = Tuote
product.cashed = Ostettu k\u00E4teisell\u00E4 placegroupview.token = Paikkakoodi / k\u00E4ytt\u00E4j\u00E4
product.color = V\u00E4ri k\u00E4ytt\u00F6liittym\u00E4ss\u00E4
product.create = Luo tuote placetoken.commit = Liit\u00E4
product.createDiscount = Lis\u00E4\u00E4 m\u00E4\u00E4r\u00E4alennus placetoken.pageHeader = Lis\u00E4\u00E4 konepaikkakoodi
product.edit = Muokkaa placetoken.placelist = Omat paikat
product.name = Tuotteen nimi placetoken.token = Paikkakoodi
product.paid = Maksettu placetoken.tokenNotFound = Paikkakoodia ei l\u00F6ytynyt! Tarkista koodi.
product.prepaid = Prepaid placetoken.topText = Voit yhdist\u00E4\u00E4 paikan omaan k\u00E4ytt\u00E4j\u00E4tunnukseesi sy\u00F6tt\u00E4m\u00E4ll\u00E4 paikkakoodin allaolevaan kentt\u00E4\u00E4n.
product.prepaidInstant = Luodaan kun prepaid maksetaan
product.price = Tuotteen hinta poll.answer = Vastaa kyselyyn
product.providedRole = Tuote m\u00E4\u00E4ritt\u00E4\u00E4 roolin poll.begin = Avaa kysely
product.save = Tallenna poll.create = Luo
product.shopInstant = Luo k\u00E4teismaksu tuotteille poll.description = Kuvaus
product.sort = J\u00E4rjestys luku poll.edit = Muokkaa
product.totalPrice = Summa poll.end = Sulje kysely
product.unitName = Tuoteyksikk\u00F6 poll.name = Kyselyn nimi
product.vat = ALV poll.save = L\u00E4het\u00E4 vastauksesi
productShopView.readBarcode = Lue viivakoodi product.barcode = Viivakoodi
product.billed = Laskutettu
products.save = Tallenna product.boughtTotal = Tuotteita laskutettu
product.cart.count = Ostoskoriin
productshop.billCreated = Lasku luotu product.cashed = Ostettu k\u00E4teisell\u00E4
productshop.commit = Osta product.color = V\u00E4ri k\u00E4ytt\u00F6liittym\u00E4ss\u00E4
productshop.limits = Vapaana product.create = Luo tuote
productshop.minusOne = -1 product.createDiscount = Lis\u00E4\u00E4 m\u00E4\u00E4r\u00E4alennus
productshop.minusTen = -10 product.edit = Muokkaa
productshop.noItemsInCart = Ostoskorissa ei ole tuotteita product.name = Tuotteen nimi
productshop.plusOne = +1 product.paid = Maksettu
productshop.plusTen = +10 product.prepaid = Prepaid
productshop.total = Yhteens\u00E4 product.prepaidInstant = Luodaan kun prepaid maksetaan
product.price = Tuotteen hinta
reader.assocToCard = Yhdist\u00E4 korttiin product.providedRole = Tuote m\u00E4\u00E4ritt\u00E4\u00E4 roolin
reader.automaticProduct = Oletustuote product.save = Tallenna
reader.automaticProductCount = M\u00E4\u00E4r\u00E4 product.shopInstant = Luo k\u00E4teismaksu tuotteille
reader.createNewCard = Luo uusi kortti product.sort = J\u00E4rjestys luku
reader.description = Kuvaus product.totalPrice = Summa
reader.edit = Muokkaa product.unitName = Tuoteyksikk\u00F6
reader.identification = Tunniste product.vat = ALV
reader.name = Lukijan nimi
reader.save = Tallenna productShopView.readBarcode = Lue viivakoodi
reader.select = Valitse lukija
reader.tag = Tag products.save = Tallenna
reader.type = Tyyppi
reader.user = K\u00E4ytt\u00E4j\u00E4 productshop.billCreated = Lasku luotu
productshop.commit = Osta
readerView.searchforuser = Etsi k\u00E4ytt\u00E4j\u00E4\u00E4 productshop.limits = Vapaana
productshop.minusOne = -1
readerevent.associateToUser = Yhdist\u00E4 k\u00E4ytt\u00E4j\u00E4\u00E4n productshop.minusTen = -10
readerevent.seenSince = N\u00E4hty viimeksi productshop.noItemsInCart = Ostoskorissa ei ole tuotteita
readerevent.shopToUser = Osta k\u00E4ytt\u00E4j\u00E4lle productshop.plusOne = +1
readerevent.tagname = Tagi productshop.plusTen = +10
productshop.total = Yhteens\u00E4
readerview.cards = Kortit ( tulostuslkm )
reader.assocToCard = Yhdist\u00E4 korttiin
resetMail.body = Voit vaihtaa unohtuneen salasanan sy\u00F6tt\u00E4m\u00E4ll\u00E4 k\u00E4ytt\u00E4j\u00E4tunnuksesi allaolevaan kentt\u00E4\u00E4n. Tunnukseen liitettyyn s\u00E4hk\u00F6postiosoitteeseen l\u00E4hetet\u00E4\u00E4n kertak\u00E4ytt\u00F6inen osoite jossa voit vaihtaa sy\u00F6tt\u00E4m\u00E4si k\u00E4ytt\u00E4j\u00E4tunnuksen salasanan. reader.automaticProduct = Oletustuote
resetMail.header = Salasana unohtunut? reader.automaticProductCount = M\u00E4\u00E4r\u00E4
resetMail.send = L\u00E4het\u00E4 s\u00E4hk\u00F6posti reader.createNewCard = Luo uusi kortti
resetMail.username = K\u00E4ytt\u00E4j\u00E4tunnus reader.description = Kuvaus
reader.edit = Muokkaa
resetmailSent.body = Antamasi k\u00E4ytt\u00E4j\u00E4tunnuksen s\u00E4hk\u00F6postiosoitteeseen on l\u00E4hetetty osoite jossa voit vaihtaa tunnuksen salasanan. reader.identification = Tunniste
resetmailSent.header = S\u00E4hk\u00F6posti l\u00E4hetetty reader.name = Lukijan nimi
reader.save = Tallenna
rfidevent.empty = Tyhj\u00E4 reader.select = Valitse lukija
rfidevent.reader = Lukija reader.tag = Tag
rfidevent.searchuser = Hae k\u00E4ytt\u00E4j\u00E4\u00E4 reader.type = Tyyppi
rfidevent.tag = T\u00E4gi reader.user = K\u00E4ytt\u00E4j\u00E4
role.cardtemplate = Korttipohja readerView.searchforuser = Etsi k\u00E4ytt\u00E4j\u00E4\u00E4
role.create = Luo rooli
role.description = Kuvaus readerevent.associateToUser = Yhdist\u00E4 k\u00E4ytt\u00E4j\u00E4\u00E4n
role.edit = Muokkaa readerevent.seenSince = N\u00E4hty viimeksi
role.edit.save = Tallenna readerevent.shopToUser = Osta k\u00E4ytt\u00E4j\u00E4lle
role.name = Nimi readerevent.tagname = Tagi
role.parents = Periytyy
role.savePermissions = Tallenna oikeudet readerview.cards = Kortit ( tulostuslkm )
salespoint.edit = Muokkaa resetMail.body = Voit vaihtaa unohtuneen salasanan sy\u00F6tt\u00E4m\u00E4ll\u00E4 k\u00E4ytt\u00E4j\u00E4tunnuksesi allaolevaan kentt\u00E4\u00E4n. Tunnukseen liitettyyn s\u00E4hk\u00F6postiosoitteeseen l\u00E4hetet\u00E4\u00E4n kertak\u00E4ytt\u00F6inen osoite jossa voit vaihtaa sy\u00F6tt\u00E4m\u00E4si k\u00E4ytt\u00E4j\u00E4tunnuksen salasanan.
salespoint.name = Nimi resetMail.header = Salasana unohtunut?
salespoint.noSalesPoints = M\u00E4\u00E4r\u00E4 resetMail.send = L\u00E4het\u00E4 s\u00E4hk\u00F6posti
resetMail.username = K\u00E4ytt\u00E4j\u00E4tunnus
sendPicture.header = L\u00E4het\u00E4 kuva
resetmailSent.body = Antamasi k\u00E4ytt\u00E4j\u00E4tunnuksen s\u00E4hk\u00F6postiosoitteeseen on l\u00E4hetetty osoite jossa voit vaihtaa tunnuksen salasanan.
shop.accountBalance = Tilin saldo resetmailSent.header = S\u00E4hk\u00F6posti l\u00E4hetetty
shop.cash = K\u00E4teispano
shop.readBarcode = Lue viivakoodi rfidevent.empty = Tyhj\u00E4
shop.totalPrice = Tuotteiden hinta rfidevent.reader = Lukija
shop.user = Myyd\u00E4\u00E4n rfidevent.searchuser = Hae k\u00E4ytt\u00E4j\u00E4\u00E4
rfidevent.tag = T\u00E4gi
sidebar.bill.list = Omat laskut
sidebar.bill.listAll = Kaikki laskut role.cardtemplate = Korttipohja
sidebar.bill.summary = Laskujen yhteenveto role.create = Luo rooli
sidebar.bills = Laskut role.description = Kuvaus
sidebar.cardTemplate.create = Uusi korttipohja role.edit = Muokkaa
sidebar.cardTemplate.list = N\u00E4yt\u00E4 korttipohjat role.edit.save = Tallenna
sidebar.createuser = Rekister\u00F6idy uudeksi k\u00E4ytt\u00E4j\u00E4ksi role.name = Nimi
sidebar.eventorg.list = Omat organisaatiot role.parents = Periytyy
sidebar.map.list = Kartat role.savePermissions = Tallenna oikeudet
sidebar.map.placemap = Paikkakartta
sidebar.maps = Kartat salespoint.edit = Muokkaa
sidebar.other = Muuta salespoint.name = Nimi
sidebar.product.create = Uusi tuote salespoint.noSalesPoints = M\u00E4\u00E4r\u00E4
sidebar.product.createBill = Luo lasku
sidebar.product.list = Tuotteet sendPicture.header = L\u00E4het\u00E4 kuva
sidebar.products = Tuotteet
sidebar.role.create = Uusi rooli shop.accountBalance = Tilin saldo
sidebar.role.list = Roolit shop.cash = K\u00E4teispano
sidebar.roles = Roolit shop.readBarcode = Lue viivakoodi
sidebar.shop.readerEvents = Lukijan tapahtumat shop.totalPrice = Tuotteiden hinta
sidebar.shop.readerlist = N\u00E4yt\u00E4 lukijat shop.user = Myyd\u00E4\u00E4n
sidebar.user.create = Uusi k\u00E4ytt\u00E4j\u00E4
sidebar.user.list = K\u00E4ytt\u00E4j\u00E4t sidebar.bill.list = Omat laskut
sidebar.users = K\u00E4ytt\u00E4j\u00E4t sidebar.bill.listAll = Kaikki laskut
sidebar.utils.flushCache = Flush Cache sidebar.bill.summary = Laskujen yhteenveto
sidebar.utils.testdata = Testdata sidebar.bills = Laskut
sidebar.cardTemplate.create = Uusi korttipohja
sitepage.addContent = Lis\u00E4\u00E4 sis\u00E4lt\u00F6laatikko sidebar.cardTemplate.list = N\u00E4yt\u00E4 korttipohjat
sitepage.create = Luo uusi sidebar.createuser = Rekister\u00F6idy uudeksi k\u00E4ytt\u00E4j\u00E4ksi
sitepage.edit = Muokkaa sidebar.eventorg.list = Omat organisaatiot
sitepage.name = Sivun nimi sidebar.map.list = Kartat
sitepage.roles = N\u00E4ytet\u00E4\u00E4n rooleille sidebar.map.placemap = Paikkakartta
sitepage.save = Tallenna sidebar.maps = Kartat
sidebar.other = Muuta
sitepagelist.header = Sivuston sis\u00E4ll\u00F6t sidebar.product.create = Uusi tuote
sidebar.product.createBill = Luo lasku
submenu.auth.login = Kirjaudu sidebar.product.list = Tuotteet
submenu.auth.logoutResponse = Uloskirjautuminen onnistui sidebar.products = Tuotteet
submenu.auth.sendResetMail = Salasanan palautus sidebar.role.create = Uusi rooli
submenu.bill.billSummary = Laskujen yhteenveto sidebar.role.list = Roolit
submenu.bill.list = N\u00E4yt\u00E4 omat laskut sidebar.roles = Roolit
submenu.bill.listAll = Kaikki laskut sidebar.shop.readerEvents = Lukijan tapahtumat
submenu.index = Etusivu sidebar.shop.readerlist = N\u00E4yt\u00E4 lukijat
submenu.map.create = Uusi kartta sidebar.user.create = Uusi k\u00E4ytt\u00E4j\u00E4
submenu.map.list = N\u00E4yt\u00E4 kartat sidebar.user.list = K\u00E4ytt\u00E4j\u00E4t
submenu.orgrole.create = Luo j\u00E4rjest\u00E4j\u00E4rooli sidebar.users = K\u00E4ytt\u00E4j\u00E4t
submenu.orgrole.list = J\u00E4rjest\u00E4j\u00E4roolit sidebar.utils.flushCache = Flush Cache
submenu.pages.create = Luo sis\u00E4lt\u00F6\u00E4 sidebar.utils.testdata = Testdata
submenu.pages.list = N\u00E4yt\u00E4 sis\u00E4ll\u00F6t
submenu.place.insertToken = Sy\u00F6t\u00E4 paikkakoodi sitepage.addContent = Lis\u00E4\u00E4 sis\u00E4lt\u00F6laatikko
submenu.place.myGroups = Omat paikkavaraukset sitepage.create = Luo uusi
submenu.place.placemap = Paikkakartta sitepage.edit = Muokkaa
submenu.poll.index = Kyselyt sitepage.name = Sivun nimi
submenu.product.create = Uusi tuote sitepage.roles = N\u00E4ytet\u00E4\u00E4n rooleille
submenu.product.list = Listaa tuotteet sitepage.save = Tallenna
submenu.role.create = Luo rooli
submenu.role.list = Roolit sitepagelist.header = Sivuston sis\u00E4ll\u00F6t
submenu.shop.createBill = Luo lasku
submenu.shop.listReaders = N\u00E4yt\u00E4 lukijat submenu.auth.login = Kirjaudu
submenu.shop.showReaderEvents = Lukijan tapahtumat submenu.auth.logoutResponse = Uloskirjautuminen onnistui
submenu.user.accountEvents = Tilitapahtumat submenu.auth.sendResetMail = Salasanan palautus
submenu.user.changePassword = Vaihda salasana submenu.bill.billSummary = Laskujen yhteenveto
submenu.user.create = Luo k\u00E4ytt\u00E4j\u00E4 submenu.bill.list = N\u00E4yt\u00E4 omat laskut
submenu.user.createCardTemplate = Luo korttiryhm\u00E4 submenu.bill.listAll = Kaikki laskut
submenu.user.edit = K\u00E4ytt\u00E4j\u00E4n tiedot submenu.index = Etusivu
submenu.user.invite = Kutsu yst\u00E4vi\u00E4 submenu.map.create = Uusi kartta
submenu.user.list = Kaikki k\u00E4ytt\u00E4j\u00E4t submenu.map.list = N\u00E4yt\u00E4 kartat
submenu.user.listCardTemplates = Korttiryhm\u00E4t submenu.orgrole.create = Luo j\u00E4rjest\u00E4j\u00E4rooli
submenu.user.manageuserlinks = Hallitse k\u00E4ytt\u00E4ji\u00E4 submenu.orgrole.list = J\u00E4rjest\u00E4j\u00E4roolit
submenu.user.other = Muuta submenu.pages.create = Luo sis\u00E4lt\u00F6\u00E4
submenu.user.rolelinks = Hallitse rooleja submenu.pages.list = N\u00E4yt\u00E4 sis\u00E4ll\u00F6t
submenu.user.sendPicture = L\u00E4het\u00E4 kuva submenu.place.insertToken = Sy\u00F6t\u00E4 paikkakoodi
submenu.user.shop = Kauppaan submenu.place.myGroups = Omat paikkavaraukset
submenu.user.userlinks = Muokkaa tietoja submenu.place.placemap = Paikkakartta
submenu.useradmin.create = Luo uusi k\u00E4ytt\u00E4j\u00E4 submenu.poll.index = Kyselyt
submenu.useradmin.createCardTemplate = Luo uusi korttipohja submenu.product.create = Uusi tuote
submenu.useradmin.list = Listaa k\u00E4ytt\u00E4j\u00E4t submenu.product.list = Listaa tuotteet
submenu.useradmin.listCardTemplates = Listaa korttipohjat submenu.role.create = Luo rooli
submenu.useradmin.showTakePicture = N\u00E4yt\u00E4 webcam submenu.role.list = Roolit
submenu.useradmin.validateUser = Validoi k\u00E4ytt\u00E4j\u00E4 submenu.shop.createBill = Luo lasku
submenu.voting.compolist = Kilpailut submenu.shop.listReaders = N\u00E4yt\u00E4 lukijat
submenu.voting.create = Uusi kilpailu submenu.shop.showReaderEvents = Lukijan tapahtumat
submenu.voting.myEntries = Omat entryt submenu.user.accountEvents = Tilitapahtumat
submenu.user.changePassword = Vaihda salasana
supernavi.admin = Yll\u00E4piton\u00E4kym\u00E4 submenu.user.create = Luo k\u00E4ytt\u00E4j\u00E4
supernavi.user = K\u00E4ytt\u00E4j\u00E4n\u00E4kym\u00E4 submenu.user.createCardTemplate = Luo korttiryhm\u00E4
submenu.user.edit = K\u00E4ytt\u00E4j\u00E4n tiedot
svm.failure.errorMessage = Verkkomaksuvirhe. submenu.user.invite = Kutsu yst\u00E4vi\u00E4
svm.failure.successMessage = Maksuvirhe onnistunut. ( Maksu mahdollisesti merkitty jo maksetuksi ) submenu.user.list = Kaikki k\u00E4ytt\u00E4j\u00E4t
svm.pending.errorMessage = Maksukuittausta odotetaan. Kuittauksesta l\u00E4hetet\u00E4\u00E4n ilmoitus s\u00E4hk\u00F6postitse. submenu.user.listCardTemplates = Korttiryhm\u00E4t
svm.pending.successMessage = Maksukuittausta odotetaan. Kuittauksesta l\u00E4hetet\u00E4\u00E4n ilmoitus s\u00E4hk\u00F6postitse. submenu.user.manageuserlinks = Hallitse k\u00E4ytt\u00E4ji\u00E4
svm.success.errorMessage = Verkkomaksua ei voitu verifioida! Virheest\u00E4 on raportoitu eteenp\u00E4in. submenu.user.other = Muuta
svm.success.successMessage = Verkkomaksu onnistui. submenu.user.rolelinks = Hallitse rooleja
submenu.user.sendPicture = L\u00E4het\u00E4 kuva
template.loggedInAs = Kirjautunut tunnuksella: submenu.user.shop = Kauppaan
submenu.user.userlinks = Muokkaa tietoja
topnavi.adminshop = Kauppa submenu.useradmin.create = Luo uusi k\u00E4ytt\u00E4j\u00E4
topnavi.billing = Laskutus submenu.useradmin.createCardTemplate = Luo uusi korttipohja
topnavi.compos = Kilpailut submenu.useradmin.list = Listaa k\u00E4ytt\u00E4j\u00E4t
topnavi.contents = Sivuston sis\u00E4lt\u00F6 submenu.useradmin.listCardTemplates = Listaa korttipohjat
topnavi.foodwave = Ruokatilaus submenu.useradmin.showTakePicture = N\u00E4yt\u00E4 webcam
topnavi.frontpage = Etusivu submenu.useradmin.validateUser = Validoi k\u00E4ytt\u00E4j\u00E4
topnavi.log = Logi submenu.voting.compolist = Kilpailut
topnavi.maps = Kartat submenu.voting.create = Uusi kilpailu
topnavi.placemap = Paikkakartta submenu.voting.myEntries = Omat entryt
topnavi.poll = Kyselyt
topnavi.products = Tuotteet supernavi.admin = Yll\u00E4piton\u00E4kym\u00E4
topnavi.shop = Kauppa supernavi.user = K\u00E4ytt\u00E4j\u00E4n\u00E4kym\u00E4
topnavi.user = Omat tiedot
topnavi.userinit = K\u00E4ytt\u00E4j\u00E4n tunnistus svm.failure.errorMessage = Verkkomaksuvirhe.
topnavi.usermgmt = K\u00E4ytt\u00E4j\u00E4t svm.failure.successMessage = Maksuvirhe onnistunut. ( Maksu mahdollisesti merkitty jo maksetuksi )
svm.pending.errorMessage = Maksukuittausta odotetaan. Kuittauksesta l\u00E4hetet\u00E4\u00E4n ilmoitus s\u00E4hk\u00F6postitse.
user.accountBalance = Tilin saldo svm.pending.successMessage = Maksukuittausta odotetaan. Kuittauksesta l\u00E4hetet\u00E4\u00E4n ilmoitus s\u00E4hk\u00F6postitse.
user.accountEventHeader = Tilitapahtumat svm.success.errorMessage = Verkkomaksua ei voitu verifioida! Virheest\u00E4 on raportoitu eteenp\u00E4in.
user.accountevents = Tilitapahtumat svm.success.successMessage = Verkkomaksu onnistui.
user.address = Osoite
user.bank = Pankki template.loggedInAs = Kirjautunut tunnuksella:
user.bankaccount = Pankkitili
user.birthday = Syntym\u00E4p\u00E4iv\u00E4 topnavi.adminshop = Kauppa
user.cardPower = K\u00E4ytt\u00E4j\u00E4tyyppi topnavi.billing = Laskutus
user.changePassword = Vaihda salasana topnavi.compos = Kilpailut
user.changepassword.forUser = K\u00E4ytt\u00E4j\u00E4lle topnavi.contents = Sivuston sis\u00E4lt\u00F6
user.changepassword.title = Vaihda salasana topnavi.foodwave = Ruokatilaus
user.create = Luo k\u00E4ytt\u00E4j\u00E4 topnavi.frontpage = Etusivu
user.createdmessage = K\u00E4ytt\u00E4j\u00E4tunnus on luotu onnistuneesti. Voit nyt kirjautua sis\u00E4\u00E4n. topnavi.log = Logi
user.defaultImage = Oletukuva topnavi.maps = Kartat
user.edit = Muokkaa topnavi.placemap = Paikkakartta
user.edit.title = Omat tiedot topnavi.poll = Kyselyt
user.email = S\u00E4hk\u00F6posti topnavi.products = Tuotteet
user.firstNames = Etunimi topnavi.shop = Kauppa
user.hasImage = Kuva topnavi.user = Omat tiedot
user.imageUploaded = Kuva l\u00E4hetetty. topnavi.userinit = K\u00E4ytt\u00E4j\u00E4n tunnistus
user.imagelist = Tallennetut kuvat topnavi.usermgmt = K\u00E4ytt\u00E4j\u00E4t
user.imagesubmit = L\u00E4het\u00E4 kuva
user.insert = Sy\u00F6t\u00E4 arvo user.accountBalance = Tilin saldo
user.invalidLoginCredentials = K\u00E4ytt\u00E4j\u00E4tunnus tai salasana v\u00E4\u00E4rin. user.accountEventHeader = Tilitapahtumat
user.invite = Kutsu user.accountevents = Tilitapahtumat
user.invite.header = Luo k\u00E4ytt\u00E4j\u00E4 kutsusta user.address = Osoite
user.invitemail = S\u00E4hk\u00F6postiosoite user.bank = Pankki
user.lastName = Sukunimi user.bankaccount = Pankkitili
user.login = K\u00E4ytt\u00E4j\u00E4tunnus user.birthday = Syntym\u00E4p\u00E4iv\u00E4
user.nick = Nick user.cardPower = K\u00E4ytt\u00E4j\u00E4tyyppi
user.noAccountevents = Ei tilitapahtumia user.changePassword = Vaihda salasana
user.noCurrentImage = Ei kuvaa user.changepassword.forUser = K\u00E4ytt\u00E4j\u00E4lle
user.noImage = EI kuvaa user.changepassword.title = Vaihda salasana
user.oldPassword = Nykyinen salasana user.create = Luo k\u00E4ytt\u00E4j\u00E4
user.page.invite = Kutsu yst\u00E4vi\u00E4 user.createdmessage = K\u00E4ytt\u00E4j\u00E4tunnus on luotu onnistuneesti. Voit nyt kirjautua sis\u00E4\u00E4n.
user.password = Salasana user.defaultImage = Oletukuva
user.passwordcheck = Salasana ( uudelleen ) user.edit = Muokkaa
user.passwordlengthMessage = Salasana liian lyhyt user.edit.title = Omat tiedot
user.phone = Puhelin user.email = S\u00E4hk\u00F6posti
user.placegroups = Omat paikkaryhm\u00E4t user.firstNames = Etunimi
user.realname = Nimi user.hasImage = Kuva
user.roles = Roolit user.imageUploaded = Kuva l\u00E4hetetty.
user.rolesave = Tallenna roolit user.imagelist = Tallennetut kuvat
user.save = Tallenna user.imagesubmit = L\u00E4het\u00E4 kuva
user.sendPicture = Kuvan l\u00E4hetys user.insert = Sy\u00F6t\u00E4 arvo
user.sex = Sukupuoli user.invalidLoginCredentials = K\u00E4ytt\u00E4j\u00E4tunnus tai salasana v\u00E4\u00E4rin.
user.sex.FEMALE = Nainen user.invite = Kutsu
user.sex.MALE = Mies user.invite.header = Luo k\u00E4ytt\u00E4j\u00E4 kutsusta
user.sex.UNDEFINED = M\u00E4\u00E4rittelem\u00E4tt\u00E4 user.invitemail = S\u00E4hk\u00F6postiosoite
user.shop = Osta user.lastName = Sukunimi
user.shop.title = Osta k\u00E4ytt\u00E4j\u00E4lle user.login = K\u00E4ytt\u00E4j\u00E4tunnus
user.successfullySaved = Tiedot tallennettu onnistuneesti user.nick = Nick
user.superadmin = Superadmin user.noAccountevents = Ei tilitapahtumia
user.thisIsCurrentImage = Nykyinen kuva user.noCurrentImage = Ei kuvaa
user.town = Kaupunki user.noImage = EI kuvaa
user.uploadimage = L\u00E4het\u00E4 kuva user.oldPassword = Nykyinen salasana
user.username = K\u00E4ytt\u00E4j\u00E4tunnus user.page.invite = Kutsu yst\u00E4vi\u00E4
user.validate.notUniqueUsername = K\u00E4ytt\u00E4j\u00E4tunnus on jo olemassa. Ole hyv\u00E4 ja valitse toinen tunnus user.password = Salasana
user.validateUser.commit = L\u00E4het\u00E4 user.passwordcheck = Salasana ( uudelleen )
user.validateUser.header = Ole hyv\u00E4 ja sy\u00F6t\u00E4 kirjautumistiedot user.passwordlengthMessage = Salasana liian lyhyt
user.wholeName = Nimi user.phone = Puhelin
user.zipCode = Postinumero user.placegroups = Omat paikkaryhm\u00E4t
user.realname = Nimi
userImport.commit = Hyv\u00E4ksy user.roles = Roolit
user.rolesave = Tallenna roolit
userView.image = Kuva user.save = Tallenna
user.sendPicture = Kuvan l\u00E4hetys
usercart.addSearchedUsers = Lis\u00E4\u00E4 haetut k\u00E4ytt\u00E4j\u00E4t user.sex = Sukupuoli
usercart.cartsize = Koko user.sex.FEMALE = Nainen
usercart.showCart = K\u00E4ytt\u00E4j\u00E4kori user.sex.MALE = Mies
usercart.traverse = K\u00E4y l\u00E4pi user.sex.UNDEFINED = M\u00E4\u00E4rittelem\u00E4tt\u00E4
user.shop = Osta
userimage.webcam = Ota kuva webkameralla user.shop.title = Osta k\u00E4ytt\u00E4j\u00E4lle
user.successfullySaved = Tiedot tallennettu onnistuneesti
userlist.header = Etsi k\u00E4ytt\u00E4ji\u00E4 user.superadmin = Superadmin
userlist.onlythisevent = Vain t\u00E4m\u00E4n tapahtuman k\u00E4ytt\u00E4j\u00E4t user.thisIsCurrentImage = Nykyinen kuva
userlist.placeassoc = Liitetty paikkaan user.town = Kaupunki
userlist.rolefilter = Annetut roolit user.uploadimage = L\u00E4het\u00E4 kuva
userlist.saldofilter = Tilin saldo user.username = K\u00E4ytt\u00E4j\u00E4tunnus
userlist.search = Etsi user.validate.notUniqueUsername = K\u00E4ytt\u00E4j\u00E4tunnus on jo olemassa. Ole hyv\u00E4 ja valitse toinen tunnus
userlist.showAdvancedSearch = Tarkennettu haku user.validateUser.commit = L\u00E4het\u00E4
user.validateUser.header = Ole hyv\u00E4 ja sy\u00F6t\u00E4 kirjautumistiedot
usertitle.managingUser = Kauppa user.wholeName = Nimi
user.zipCode = Postinumero
userview.invalidEmail = Virheeliinen s\u00E4hk\u00F6postiosoite
userview.loginstringFaulty = K\u00E4ytt\u00E4j\u00E4tunnus virheellinen. Pit\u00E4\u00E4 olla v\u00E4hint\u00E4\u00E4n kaksi merkki\u00E4 pitk\u00E4. userImport.commit = Hyv\u00E4ksy
userview.oldPasswordError = V\u00E4\u00E4r\u00E4 salasana!
userview.passwordTooShort = Salasana liian lyhyt. Pit\u00E4\u00E4 olla v\u00E4hint\u00E4\u00E4n {0} merkki\u00E4 pitk\u00E4. userView.image = Kuva
userview.passwordsChanged = Salasana vaihdettu
userview.passwordsDontMatch = Salasanat eiv\u00E4t ole samat! Ole hyv\u00E4 ja sy\u00F6t\u00E4 salasanat uudelleen. usercart.addSearchedUsers = Lis\u00E4\u00E4 haetut k\u00E4ytt\u00E4j\u00E4t
userview.userExists = K\u00E4ytt\u00E4j\u00E4tunnus on jo olemassa. Ole hyv\u00E4 ja valitse toinen tunnus. usercart.cartsize = Koko
usercart.showCart = K\u00E4ytt\u00E4j\u00E4kori
viewexpired.body = Ole hyv\u00E4 ja kirjaudu sis\u00E4\u00E4n uudelleen. usercart.traverse = K\u00E4y l\u00E4pi
viewexpired.title = N\u00E4kym\u00E4 on vanhentunut
userimage.webcam = Ota kuva webkameralla
voting.allcompos.curEntries = Entryja
voting.allcompos.descri = Kuvaus userlist.header = Etsi k\u00E4ytt\u00E4ji\u00E4
voting.allcompos.description = Compojen informaatiot. userlist.onlythisevent = Vain t\u00E4m\u00E4n tapahtuman k\u00E4ytt\u00E4j\u00E4t
voting.allcompos.endTime = Lopetusaika userlist.placeassoc = Liitetty paikkaan
voting.allcompos.header = Kaikki compot userlist.rolefilter = Annetut roolit
voting.allcompos.maxParts = Max osallistujam\u00E4\u00E4r\u00E4 userlist.saldofilter = Tilin saldo
voting.allcompos.name = Nimi userlist.search = Etsi
voting.allcompos.startTime = Aloitusaika userlist.showAdvancedSearch = Tarkennettu haku
voting.allcompos.submitEnd = Lis\u00E4ys kiinni
voting.allcompos.submitEntry = L\u00E4het\u00E4 entry usertitle.managingUser = Kauppa
voting.allcompos.submitStart = Lis\u00E4ys auki
voting.allcompos.voteEnd = \u00C4\u00E4nestys kiinni userview.invalidEmail = Virheeliinen s\u00E4hk\u00F6postiosoite
voting.allcompos.voteStart = \u00C4\u00E4nestys auki userview.loginstringFaulty = K\u00E4ytt\u00E4j\u00E4tunnus virheellinen. Pit\u00E4\u00E4 olla v\u00E4hint\u00E4\u00E4n kaksi merkki\u00E4 pitk\u00E4.
voting.compo.submit = L\u00E4het\u00E4 kappale userview.oldPasswordError = V\u00E4\u00E4r\u00E4 salasana!
voting.compo.vote = \u00C4\u00E4nest\u00E4 userview.passwordTooShort = Salasana liian lyhyt. Pit\u00E4\u00E4 olla v\u00E4hint\u00E4\u00E4n {0} merkki\u00E4 pitk\u00E4.
voting.compoentryadd.button = L\u00E4het\u00E4 userview.passwordsChanged = Salasana vaihdettu
voting.compoentryadd.description = Lis\u00E4\u00E4 uusi entry compoon userview.passwordsDontMatch = Salasanat eiv\u00E4t ole samat! Ole hyv\u00E4 ja sy\u00F6t\u00E4 salasanat uudelleen.
voting.compoentryadd.entryname = Nimi userview.userExists = K\u00E4ytt\u00E4j\u00E4tunnus on jo olemassa. Ole hyv\u00E4 ja valitse toinen tunnus.
voting.compoentryadd.file = Tiedosto
voting.compoentryadd.notes = Huomatuksia viewexpired.body = Ole hyv\u00E4 ja kirjaudu sis\u00E4\u00E4n uudelleen.
voting.compoentryadd.screenmessage = Screenmessage viewexpired.title = N\u00E4kym\u00E4 on vanhentunut
voting.compoentryadd.title = Lis\u00E4\u00E4 entry
voting.compoentryadd.uploadedFile = asdsda voting.allcompos.curEntries = Entryja
voting.compoentrysave.button = Tallenna voting.allcompos.descri = Kuvaus
voting.create.compoEnd = Lopetusaika voting.allcompos.description = Compojen informaatiot.
voting.create.compoStart = Aloitusaika voting.allcompos.endTime = Lopetusaika
voting.create.createButton = Luo voting.allcompos.header = Kaikki compot
voting.create.dateValidatorEndDate = Loppumisaika ennen alkua. voting.allcompos.maxParts = Max osallistujam\u00E4\u00E4r\u00E4
voting.create.description = Kuvaus voting.allcompos.name = Nimi
voting.create.header = Compon luonti voting.allcompos.startTime = Aloitusaika
voting.create.maxParticipants = Max osallistujat voting.allcompos.submitEnd = Lis\u00E4ys kiinni
voting.create.name = Nimi voting.allcompos.submitEntry = L\u00E4het\u00E4 entry
voting.create.submitEnd = Submit kiinni voting.allcompos.submitStart = Lis\u00E4ys auki
voting.create.submitStart = Submit auki voting.allcompos.voteEnd = \u00C4\u00E4nestys kiinni
voting.create.voteEnd = \u00C4\u00E4nestys kiinni voting.allcompos.voteStart = \u00C4\u00E4nestys auki
voting.create.voteStart = \u00C4\u00E4nestys auki voting.compo.submit = L\u00E4het\u00E4 kappale
voting.compo.vote = \u00C4\u00E4nest\u00E4
voting.compoentryadd.button = L\u00E4het\u00E4
voting.compoentryadd.description = Lis\u00E4\u00E4 uusi entry compoon
voting.compoentryadd.entryname = Nimi
voting.compoentryadd.file = Tiedosto
voting.compoentryadd.notes = Huomatuksia
voting.compoentryadd.screenmessage = Screenmessage
voting.compoentryadd.title = Lis\u00E4\u00E4 entry
voting.compoentryadd.uploadedFile = asdsda
voting.compoentrysave.button = Tallenna
voting.create.compoEnd = Lopetusaika
voting.create.compoStart = Aloitusaika
voting.create.createButton = Luo
voting.create.dateValidatorEndDate = Loppumisaika ennen alkua.
voting.create.description = Kuvaus
voting.create.header = Compon luonti
voting.create.maxParticipants = Max osallistujat
voting.create.name = Nimi
voting.create.submitEnd = Submit kiinni
voting.create.submitStart = Submit auki
voting.create.voteEnd = \u00C4\u00E4nestys kiinni
voting.create.voteStart = \u00C4\u00E4nestys auki
#Generated by ResourceBundle Editor (http://eclipse-rbe.sourceforge.net) #Generated by ResourceBundle Editor (http://eclipse-rbe.sourceforge.net)
#Bill number #Bill number
# Validationmessages # Validationmessages
actionlog.create.header = Luo uusi ActionMessage actionlog.create.header = Luo uusi ActionMessage
actionlog.create.message = Viesti actionlog.create.message = Viesti
actionlog.create.role = Kohderooli actionlog.create.role = Kohderooli
actionlog.create.submitbutton = L\u00E4het\u00E4 actionlog.create.submitbutton = L\u00E4het\u00E4
actionlog.create.taskradio = Teht\u00E4v\u00E4 actionlog.create.taskradio = Teht\u00E4v\u00E4
actionlog.crew = Crew actionlog.crew = Crew
actionlog.message = Tapahtuma actionlog.message = Tapahtuma
actionlog.messagelist.description = Voit seurata sek\u00E4 luoda uusia ActionMessageja t\u00E4ss\u00E4 n\u00E4kym\u00E4ss\u00E4. actionlog.messagelist.description = Voit seurata sek\u00E4 luoda uusia ActionMessageja t\u00E4ss\u00E4 n\u00E4kym\u00E4ss\u00E4.
actionlog.messagelist.header = Viestilista actionlog.messagelist.header = Viestilista
actionlog.state = Tila actionlog.state = Tila
actionlog.task = Teht\u00E4v\u00E4 actionlog.task = Teht\u00E4v\u00E4
actionlog.tasklist.header = Teht\u00E4v\u00E4lista actionlog.tasklist.header = Teht\u00E4v\u00E4lista
actionlog.time = Aika actionlog.time = Aika
actionlog.user = Tekij\u00E4 actionlog.user = Tekij\u00E4
bill.billMarkedPaidMail.message = Laskusi numero {0} on merkitty maksetuksi. Voit nyt siirty\u00E4 lippukauppaan varamaamaan haluamasi paikat. \nTervetuloa tapahtumaan!\n\nTerveisin,\nInsomnia lippupalvelu\nwww.insomnia.fi bill.billMarkedPaidMail.message = Laskusi numero {0} on merkitty maksetuksi. Voit nyt siirty\u00E4 lippukauppaan varamaamaan haluamasi paikat. \nTervetuloa tapahtumaan!\n\nTerveisin,\nInsomnia lippupalvelu\nwww.insomnia.fi
bill.billMarkedPaidMail.subject = [INSOMNIA] Lasku merkitty maksetuksi bill.billMarkedPaidMail.subject = [INSOMNIA] Lasku merkitty maksetuksi
error.contact = Jos t\u00E4m\u00E4 toistuu, ota seuraava koodi talteen ja ota yhteys Infoon: error.contact = Jos t\u00E4m\u00E4 toistuu, ota seuraava koodi talteen ja ota yhteys Infoon:
error.error = Olet kohdannut virheen. error.error = Olet kohdannut virheen.
eventorg.create = Luo eventorg.create = Luo
eventorg.edit = Muokkaa eventorg.edit = Muokkaa
global.cancel = Peruuta global.cancel = Peruuta
global.copyright = Codecrew Ry global.copyright = Codecrew Ry
global.infomail = info@insomnia.fi global.infomail = info@insomnia.fi
global.notAuthorizedExecute = Sinulla ei ole riitt\u00E4v\u00E4sti oikeuksia suorittaa t\u00E4t\u00E4 toimenpidett\u00E4! global.notAuthorizedExecute = Sinulla ei ole riitt\u00E4v\u00E4sti oikeuksia suorittaa t\u00E4t\u00E4 toimenpidett\u00E4!
global.notauthorized = Sinulla ei ole riitt\u00E4vi\u00E4 oikeuksia t\u00E4lle sivulle. global.notauthorized = Sinulla ei ole riitt\u00E4vi\u00E4 oikeuksia t\u00E4lle sivulle.
global.save = Tallenna global.save = Tallenna
global.webpage = http://www.insomnia.fi global.webpage = http://www.insomnia.fi
httpsession.creationTime = Luotu httpsession.creationTime = Luotu
login.login = Kirjaudu sis\u00E4\u00E4n login.login = Kirjaudu sis\u00E4\u00E4n
login.logout = Kirjaudu ulos login.logout = Kirjaudu ulos
login.logoutmessage = Olet kirjautunut ulos j\u00E4rjestelm\u00E4st\u00E4. login.logoutmessage = Olet kirjautunut ulos j\u00E4rjestelm\u00E4st\u00E4.
login.password = Salasana login.password = Salasana
login.submit = Kirjaudu sis\u00E4\u00E4n login.submit = Kirjaudu sis\u00E4\u00E4n
login.username = K\u00E4ytt\u00E4j\u00E4tunnus login.username = K\u00E4ytt\u00E4j\u00E4tunnus
loginerror.header = Kirjautuminen ep\u00E4onnistui loginerror.header = Kirjautuminen ep\u00E4onnistui
loginerror.message = K\u00E4ytt\u00E4j\u00E4tunnus tai salasana ei ollut oikein. loginerror.message = K\u00E4ytt\u00E4j\u00E4tunnus tai salasana ei ollut oikein.
loginerror.resetpassword = Salasana unohtunut? loginerror.resetpassword = Salasana unohtunut?
passwordChanged.body = Voit nyt kirjautua k\u00E4ytt\u00E4j\u00E4tunnuksella ja uudella salasanalla sis\u00E4\u00E4n j\u00E4rjestelm\u00E4\u00E4n. passwordChanged.body = Voit nyt kirjautua k\u00E4ytt\u00E4j\u00E4tunnuksella ja uudella salasanalla sis\u00E4\u00E4n j\u00E4rjestelm\u00E4\u00E4n.
passwordChanged.header = Salasana vaihdettu onnistuneesti passwordChanged.header = Salasana vaihdettu onnistuneesti
passwordReset.errorChanging = Odotamaton virhe. Ota yhteytt\u00E4 yll\u00E4pitoon. passwordReset.errorChanging = Odotamaton virhe. Ota yhteytt\u00E4 yll\u00E4pitoon.
passwordReset.hashNotFound = Salasanan vaihto on vanhentunut. Jos haluat vaihtaa salasanan l\u00E4het\u00E4 vaihtopyynt\u00F6 uudelleen. passwordReset.hashNotFound = Salasanan vaihto on vanhentunut. Jos haluat vaihtaa salasanan l\u00E4het\u00E4 vaihtopyynt\u00F6 uudelleen.
permissiondenied.alreadyLoggedIn = Sinulla ei ole riitt\u00E4v\u00E4sti oikeuksia! permissiondenied.alreadyLoggedIn = Sinulla ei ole riitt\u00E4v\u00E4sti oikeuksia!
permissiondenied.header = P\u00E4\u00E4sy kielletty permissiondenied.header = P\u00E4\u00E4sy kielletty
permissiondenied.notLoggedIn = Sinulla ei ole riitt\u00E4v\u00E4sti oikeuksia t\u00E4lle sivulle. permissiondenied.notLoggedIn = Sinulla ei ole riitt\u00E4v\u00E4sti oikeuksia t\u00E4lle sivulle.
resetMail.body = Voit vaihtaa unohtuneen salasanan sy\u00F6tt\u00E4m\u00E4ll\u00E4 k\u00E4ytt\u00E4j\u00E4tunnuksesi allaolevaan kentt\u00E4\u00E4n. Tunnukseen liitettyyn s\u00E4hk\u00F6postiosoitteeseen l\u00E4hetet\u00E4\u00E4n kertak\u00E4ytt\u00F6inen osoite jossa voit vaihtaa sy\u00F6tt\u00E4m\u00E4si k\u00E4ytt\u00E4j\u00E4tunnuksen salasanan. resetMail.body = Voit vaihtaa unohtuneen salasanan sy\u00F6tt\u00E4m\u00E4ll\u00E4 k\u00E4ytt\u00E4j\u00E4tunnuksesi allaolevaan kentt\u00E4\u00E4n. Tunnukseen liitettyyn s\u00E4hk\u00F6postiosoitteeseen l\u00E4hetet\u00E4\u00E4n kertak\u00E4ytt\u00F6inen osoite jossa voit vaihtaa sy\u00F6tt\u00E4m\u00E4si k\u00E4ytt\u00E4j\u00E4tunnuksen salasanan.
resetMail.header = Salasana unohtunut? resetMail.header = Salasana unohtunut?
resetMail.send = L\u00E4het\u00E4 s\u00E4hk\u00F6posti resetMail.send = L\u00E4het\u00E4 s\u00E4hk\u00F6posti
resetmailSent.body = Antamasi k\u00E4ytt\u00E4j\u00E4tunnuksen s\u00E4hk\u00F6postiosoitteeseen on l\u00E4hetetty osoite jossa voit vaihtaa tunnuksen salasanan. resetmailSent.body = Antamasi k\u00E4ytt\u00E4j\u00E4tunnuksen s\u00E4hk\u00F6postiosoitteeseen on l\u00E4hetetty osoite jossa voit vaihtaa tunnuksen salasanan.
resetmailSent.header = S\u00E4hk\u00F6posti l\u00E4hetetty resetmailSent.header = S\u00E4hk\u00F6posti l\u00E4hetetty
package fi.insomnia.bortal.web.cdiview.shop; package fi.insomnia.bortal.web.cdiview.shop;
import java.util.ArrayList; import java.util.ArrayList;
import java.util.Date;
import java.util.TreeSet; import java.util.TreeSet;
import java.util.Vector; import java.util.Vector;
...@@ -40,13 +41,14 @@ public class FoodWaveView extends GenericCDIView { ...@@ -40,13 +41,14 @@ public class FoodWaveView extends GenericCDIView {
private FoodWave selectedFoodWave = null; private FoodWave selectedFoodWave = null;
private Date startDate;
private Product currentProduct; private Product currentProduct;
public void initTemplateList() { public void initTemplateList() {
if (super.requirePermissions(ShopPermission.LIST_USERPRODUCTS)) { if (super.requirePermissions(ShopPermission.LIST_USERPRODUCTS)) {
setTemplates(new ListDataModel<FoodWaveTemplate>( setTemplates(new ListDataModel<FoodWaveTemplate>(foodWaveBean.getTemplates()));
foodWaveBean.getTemplates()));
super.beginConversation(); super.beginConversation();
} }
...@@ -82,6 +84,7 @@ public class FoodWaveView extends GenericCDIView { ...@@ -82,6 +84,7 @@ public class FoodWaveView extends GenericCDIView {
currentProduct = new Product(); currentProduct = new Product();
currentProduct.setProductFlags(ts); currentProduct.setProductFlags(ts);
currentProduct.setEvent(eventbean.getCurrentEvent());
} }
public void addProductToTemplate() { public void addProductToTemplate() {
...@@ -98,8 +101,11 @@ public class FoodWaveView extends GenericCDIView { ...@@ -98,8 +101,11 @@ public class FoodWaveView extends GenericCDIView {
} }
public void initUserFoodWaveList() { public void initUserFoodWaveList() {
this.foodWaves = new ListDataModel<FoodWave>( this.foodWaves = new ListDataModel<FoodWave>(foodWaveBean.getOpenFoodWaves());
foodWaveBean.getOpenFoodWaves()); }
public void initFoodwaveManagerList() {
this.foodWaves = new ListDataModel<FoodWave>(foodWaveBean.getEventFoodWaves());
} }
public String editTemplate() { public String editTemplate() {
...@@ -176,4 +182,16 @@ public class FoodWaveView extends GenericCDIView { ...@@ -176,4 +182,16 @@ public class FoodWaveView extends GenericCDIView {
this.templateId = templateId; this.templateId = templateId;
} }
public void removeProductFromList(Product product) {
template.getProducts().remove(product);
}
public Date getStartDate() {
return startDate;
}
public void setStartDate(Date startDate) {
this.startDate = startDate;
}
} }
Markdown is supported
You are about to add 0 people to the discussion. Proceed with caution.
Finish editing this message first!