1
0
Fork 0
mirror of https://github.com/Ysurac/openmptcprouter-feeds.git synced 2025-03-09 15:40:03 +00:00

Update luci-base and luci-mod-admin-full to latest version, disable nginx default script

This commit is contained in:
Ycarus 2018-03-15 15:27:42 +01:00
parent 7ba8d8d610
commit 139393bc8f
65 changed files with 7053 additions and 5523 deletions

View file

@ -7,6 +7,8 @@ uci -q batch <<-EOF >/dev/null
commit ucitrack
EOF
/etc/init.d/nginx stop >/dev/null 2>&1
/etc/init.d/nginx disable >/dev/null 2>&1
/etc/init.d/nginx-ha enable >/dev/null 2>&1
rm -f /tmp/luci-indexcache

View file

@ -13,10 +13,12 @@ LUCI_BASENAME:=base
LUCI_TITLE:=LuCI core libraries
LUCI_DEPENDS:=+lua +libuci-lua +luci-lib-nixio +luci-lib-ip +rpcd +libubus-lua +luci-lib-jsonc
LUCI_EXTRA_DEPENDS:=libuci-lua (>= 2018-01-01)
PKG_SOURCE:=LuaSrcDiet-0.12.1.tar.bz2
PKG_SOURCE_URL:=https://storage.googleapis.com/google-code-archive-downloads/v2/code.google.com/luasrcdiet
PKG_MD5SUM:=ed7680f2896269ae8633756e7edcf09050812f78c8f49e280e63c30d14f35aea
PKG_HASH:=ed7680f2896269ae8633756e7edcf09050812f78c8f49e280e63c30d14f35aea
PKG_LICENSE:=Apache-2.0
HOST_BUILD_DIR:=$(BUILD_DIR_HOST)/LuaSrcDiet-0.12.1
@ -25,6 +27,7 @@ include $(INCLUDE_DIR)/host-build.mk
define Package/luci-base/conffiles
/etc/luci-uploads
/etc/config/luci
/etc/config/ucitrack
endef
include ../luci/luci.mk

View file

@ -23,6 +23,62 @@ function Dec(x) {
return (/^-?\d+(?:\.\d+)?$/.test(x) ? +x : NaN);
}
function IPv4(x) {
if (!x.match(/^(\d{1,3})\.(\d{1,3})\.(\d{1,3})\.(\d{1,3})$/))
return null;
if (RegExp.$1 > 255 || RegExp.$2 > 255 || RegExp.$3 > 255 || RegExp.$4 > 255)
return null;
return [ +RegExp.$1, +RegExp.$2, +RegExp.$3, +RegExp.$4 ];
}
function IPv6(x) {
if (x.match(/^([a-fA-F0-9:]+):(\d{1,3}\.\d{1,3}\.\d{1,3}\.\d{1,3})$/)) {
var v6 = RegExp.$1, v4 = IPv4(RegExp.$2);
if (!v4)
return null;
x = v6 + ':' + (v4[0] * 256 + v4[1]).toString(16)
+ ':' + (v4[2] * 256 + v4[3]).toString(16);
}
if (!x.match(/^[a-fA-F0-9:]+$/))
return null;
var prefix_suffix = x.split(/::/);
if (prefix_suffix.length > 2)
return null;
var prefix = (prefix_suffix[0] || '0').split(/:/);
var suffix = prefix_suffix.length > 1 ? (prefix_suffix[1] || '0').split(/:/) : [];
if (suffix.length ? (prefix.length + suffix.length > 7) : (prefix.length > 8))
return null;
var i, word;
var words = [];
for (i = 0, word = parseInt(prefix[0], 16); i < prefix.length; word = parseInt(prefix[++i], 16))
if (prefix[i].length <= 4 && !isNaN(word) && word <= 0xFFFF)
words.push(word);
else
return null;
for (i = 0; i < (8 - prefix.length - suffix.length); i++)
words.push(0);
for (i = 0, word = parseInt(suffix[0], 16); i < suffix.length; word = parseInt(suffix[++i], 16))
if (suffix[i].length <= 4 && !isNaN(word) && word <= 0xFFFF)
words.push(word);
else
return null;
return words;
}
var cbi_validators = {
'integer': function()
@ -53,69 +109,63 @@ var cbi_validators = {
'ip4addr': function()
{
if (this.match(/^(\d{1,3})\.(\d{1,3})\.(\d{1,3})\.(\d{1,3})(\/(\S+))?$/))
{
return (RegExp.$1 >= 0) && (RegExp.$1 <= 255) &&
(RegExp.$2 >= 0) && (RegExp.$2 <= 255) &&
(RegExp.$3 >= 0) && (RegExp.$3 <= 255) &&
(RegExp.$4 >= 0) && (RegExp.$4 <= 255) &&
((RegExp.$6.indexOf('.') < 0)
? ((RegExp.$6 >= 0) && (RegExp.$6 <= 32))
: (cbi_validators.ip4addr.apply(RegExp.$6)))
;
}
return false;
var m = this.match(/^(\d{1,3}\.\d{1,3}\.\d{1,3}\.\d{1,3})(?:\/(\d{1,3}\.\d{1,3}\.\d{1,3}\.\d{1,3})|\/(\d{1,2}))?$/);
return !!(m && IPv4(m[1]) && (m[2] ? IPv4(m[2]) : (m[3] ? cbi_validators.ip4prefix.apply(m[3]) : true)));
},
'ip6addr': function()
{
if( this.match(/^([a-fA-F0-9:.]+)(\/(\d+))?$/) )
{
if( !RegExp.$2 || ((RegExp.$3 >= 0) && (RegExp.$3 <= 128)) )
{
var addr = RegExp.$1;
var m = this.match(/^([0-9a-fA-F:.]+)(?:\/(\d{1,3}))?$/);
return !!(m && IPv6(m[1]) && (m[2] ? cbi_validators.ip6prefix.apply(m[2]) : true));
},
if( addr == '::' )
{
return true;
}
'ip4prefix': function()
{
return !isNaN(this) && this >= 0 && this <= 32;
},
if( addr.indexOf('.') > 0 )
{
var off = addr.lastIndexOf(':');
'ip6prefix': function()
{
return !isNaN(this) && this >= 0 && this <= 128;
},
if( !(off && cbi_validators.ip4addr.apply(addr.substr(off+1))) )
return false;
'cidr': function()
{
return cbi_validators.cidr4.apply(this) ||
cbi_validators.cidr6.apply(this);
},
addr = addr.substr(0, off) + ':0:0';
}
'cidr4': function()
{
var m = this.match(/^(\d{1,3}\.\d{1,3}\.\d{1,3}\.\d{1,3})\/(\d{1,2})$/);
return !!(m && IPv4(m[1]) && cbi_validators.ip4prefix.apply(m[2]));
},
if( addr.indexOf('::') >= 0 )
{
var colons = 0;
var fill = '0';
'cidr6': function()
{
var m = this.match(/^([0-9a-fA-F:.]+)\/(\d{1,3})$/);
return !!(m && IPv6(m[1]) && cbi_validators.ip6prefix.apply(m[2]));
},
for( var i = 1; i < (addr.length-1); i++ )
if( addr.charAt(i) == ':' )
colons++;
'ipnet4': function()
{
var m = this.match(/^(\d{1,3}\.\d{1,3}\.\d{1,3}\.\d{1,3})\/(\d{1,3}\.\d{1,3}\.\d{1,3}\.\d{1,3})$/);
return !!(m && IPv4(m[1]) && IPv4(m[2]));
},
if( colons > 7 )
return false;
'ipnet6': function()
{
var m = this.match(/^([0-9a-fA-F:.]+)\/([0-9a-fA-F:.]+)$/);
return !!(m && IPv6(m[1]) && IPv6(m[2]));
},
for( var i = 0; i < (7 - colons); i++ )
fill += ':0';
'ip6hostid': function()
{
if (this == "eui64" || this == "random")
return true;
if (addr.match(/^(.*?)::(.*?)$/))
addr = (RegExp.$1 ? RegExp.$1 + ':' : '') + fill +
(RegExp.$2 ? ':' + RegExp.$2 : '');
}
return (addr.match(/^(?:[a-fA-F0-9]{1,4}:){7}[a-fA-F0-9]{1,4}$/) != null);
}
}
return false;
var v6 = IPv6(this);
return !(!v6 || v6[0] || v6[1] || v6[2] || v6[3]);
},
'ipmask': function()
@ -126,40 +176,16 @@ var cbi_validators = {
'ipmask4': function()
{
var ip = this, mask = 32;
if (ip.match(/^(\S+)\/(\S+)$/))
{
ip = RegExp.$1;
mask = RegExp.$2;
}
if (!isNaN(mask) && (mask < 0 || mask > 32))
return false;
if (isNaN(mask) && !cbi_validators.ip4addr.apply(mask))
return false;
return cbi_validators.ip4addr.apply(ip);
return cbi_validators.cidr4.apply(this) ||
cbi_validators.ipnet4.apply(this) ||
cbi_validators.ip4addr.apply(this);
},
'ipmask6': function()
{
var ip = this, mask = 128;
if (ip.match(/^(\S+)\/(\S+)$/))
{
ip = RegExp.$1;
mask = RegExp.$2;
}
if (!isNaN(mask) && (mask < 0 || mask > 128))
return false;
if (isNaN(mask) && !cbi_validators.ip6addr.apply(mask))
return false;
return cbi_validators.ip6addr.apply(ip);
return cbi_validators.cidr6.apply(this) ||
cbi_validators.ipnet6.apply(this) ||
cbi_validators.ip6addr.apply(this);
},
'port': function()
@ -481,8 +507,9 @@ function cbi_d_check(deps) {
istat = (istat && cbi_d_checkvalue(j, deps[i][j]))
}
}
if (istat) {
return !reverse;
if (istat ^ reverse) {
return true;
}
}
return def;
@ -648,9 +675,6 @@ function cbi_combobox(id, values, def, man, focus) {
var dt = obj.getAttribute('cbi_datatype');
var op = obj.getAttribute('cbi_optional');
if (dt)
cbi_validate_field(sel, op == 'true', dt);
if (!values[obj.value]) {
if (obj.value == "") {
var optdef = document.createElement("option");
@ -685,6 +709,9 @@ function cbi_combobox(id, values, def, man, focus) {
obj.style.display = "none";
if (dt)
cbi_validate_field(sel, op == 'true', dt);
cbi_bind(sel, "change", function() {
if (sel.selectedIndex == sel.options.length - 1) {
obj.style.display = "inline";
@ -727,7 +754,7 @@ function cbi_filebrowser(id, defpath) {
browser.focus();
}
function cbi_browser_init(id, defpath)
function cbi_browser_init(id, resource, defpath)
{
function cbi_browser_btnclick(e) {
cbi_filebrowser(id, defpath);
@ -738,7 +765,7 @@ function cbi_browser_init(id, defpath)
var btn = document.createElement('img');
btn.className = 'cbi-image-button';
btn.src = cbi_strings.path.resource + '/cbi/folder.gif';
btn.src = (resource || cbi_strings.path.resource) + '/cbi/folder.gif';
field.parentNode.insertBefore(btn, field.nextSibling);
cbi_bind(btn, 'click', cbi_browser_btnclick);
@ -805,7 +832,7 @@ function cbi_dynlist_init(parent, datatype, optional, choices)
parent.appendChild(b);
if (datatype == 'file')
{
cbi_browser_init(t.id, parent.getAttribute('data-browser-path'));
cbi_browser_init(t.id, null, parent.getAttribute('data-browser-path'));
}
parent.appendChild(document.createElement('br'));

View file

@ -91,8 +91,6 @@ XHR = function()
xhr.open('POST', url, true);
xhr.setRequestHeader('Content-type', 'application/x-www-form-urlencoded');
xhr.setRequestHeader('Content-length', code.length);
xhr.setRequestHeader('Connection', 'close');
xhr.send(code);
}

View file

@ -1,4 +1,5 @@
-- Copyright 2010 Jo-Philipp Wich <jow@openwrt.org>
-- Copyright 2017 Dan Luedtke <mail@danrl.com>
-- Licensed to the public under the Apache License 2.0.
local fs = require "nixio.fs"
@ -131,43 +132,50 @@ function ip6prefix(val)
return ( val and val >= 0 and val <= 128 )
end
function cidr4(val)
local ip, mask = val:match("^([^/]+)/([^/]+)$")
return ip4addr(ip) and ip4prefix(mask)
end
function cidr6(val)
local ip, mask = val:match("^([^/]+)/([^/]+)$")
return ip6addr(ip) and ip6prefix(mask)
end
function ipnet4(val)
local ip, mask = val:match("^([^/]+)/([^/]+)$")
return ip4addr(ip) and ip4addr(mask)
end
function ipnet6(val)
local ip, mask = val:match("^([^/]+)/([^/]+)$")
return ip6addr(ip) and ip6addr(mask)
end
function ipmask(val)
return ipmask4(val) or ipmask6(val)
end
function ipmask4(val)
local ip, mask = val:match("^([^/]+)/([^/]+)$")
local bits = tonumber(mask)
if bits and (bits < 0 or bits > 32) then
return false
end
if not bits and mask and not ip4addr(mask) then
return false
end
return ip4addr(ip or val)
return cidr4(val) or ipnet4(val) or ip4addr(val)
end
function ipmask6(val)
local ip, mask = val:match("^([^/]+)/([^/]+)$")
local bits = tonumber(mask)
if bits and (bits < 0 or bits > 128) then
return false
end
if not bits and mask and not ip6addr(mask) then
return false
end
return ip6addr(ip or val)
return cidr6(val) or ipnet6(val) or ip6addr(val)
end
function ip6hostid(val)
if val and val:match("^[a-fA-F0-9:]+$") and (#val > 2) then
return (ip6addr("2001:db8:0:0" .. val) or ip6addr("2001:db8:0:0:" .. val))
if val == "eui64" or val == "random" then
return true
else
local addr = ip.IPv6(val)
if addr and addr:prefix() == 128 and addr:lower("::1:0:0:0:0") then
return true
end
end
return false
@ -188,23 +196,7 @@ function portrange(val)
end
function macaddr(val)
if val and val:match(
"^[a-fA-F0-9]+:[a-fA-F0-9]+:[a-fA-F0-9]+:" ..
"[a-fA-F0-9]+:[a-fA-F0-9]+:[a-fA-F0-9]+$"
) then
local parts = util.split( val, ":" )
for i = 1,6 do
parts[i] = tonumber( parts[i], 16 )
if parts[i] < 0 or parts[i] > 255 then
return false
end
end
return true
end
return false
return ip.checkmac(val) and true or false
end
function hostname(val)
@ -301,7 +293,7 @@ function string(val)
return true -- Everything qualifies as valid string
end
function directory( val, seen )
function directory(val, seen)
local s = fs.stat(val)
seen = seen or { }
@ -317,7 +309,7 @@ function directory( val, seen )
return false
end
function file( val, seen )
function file(val, seen)
local s = fs.stat(val)
seen = seen or { }
@ -333,7 +325,7 @@ function file( val, seen )
return false
end
function device( val, seen )
function device(val, seen)
local s = fs.stat(val)
seen = seen or { }
@ -468,4 +460,3 @@ function dateyyyymmdd(val)
end
return false
end

View file

@ -14,8 +14,6 @@ uci = require "luci.model.uci"
i18n = require "luci.i18n"
_M.fs = fs
authenticator = {}
-- Index table
local index = nil
@ -101,24 +99,6 @@ function error500(message)
return false
end
function authenticator.htmlauth(validator, accs, default, template)
local user = http.formvalue("luci_username")
local pass = http.formvalue("luci_password")
if user and validator(user, pass) then
return user
end
require("luci.i18n")
require("luci.template")
context.path = {}
http.status(403, "Forbidden")
luci.template.render(template or "sysauth", {duser=default, fuser=user})
return false
end
function httpdispatch(request, prefix)
http.context.request = request
@ -188,6 +168,53 @@ function test_post_security()
return true
end
local function session_retrieve(sid, allowed_users)
local sdat = util.ubus("session", "get", { ubus_rpc_session = sid })
if type(sdat) == "table" and
type(sdat.values) == "table" and
type(sdat.values.token) == "string" and
(not allowed_users or
util.contains(allowed_users, sdat.values.username))
then
return sid, sdat.values
end
return nil, nil
end
local function session_setup(user, pass, allowed_users)
if util.contains(allowed_users, user) then
local login = util.ubus("session", "login", {
username = user,
password = pass,
timeout = tonumber(luci.config.sauth.sessiontime)
})
local rp = context.requestpath
and table.concat(context.requestpath, "/") or ""
if type(login) == "table" and
type(login.ubus_rpc_session) == "string"
then
util.ubus("session", "set", {
ubus_rpc_session = login.ubus_rpc_session,
values = { token = sys.uniqueid(16) }
})
io.stderr:write("luci: accepted login on /%s for %s from %s\n"
%{ rp, user, http.getenv("REMOTE_ADDR") or "?" })
return session_retrieve(login.ubus_rpc_session)
end
io.stderr:write("luci: failed login on /%s for %s from %s\n"
%{ rp, user, http.getenv("REMOTE_ADDR") or "?" })
end
return nil, nil
end
function dispatch(request)
--context._disable_memtrace = require "luci.debug".trap_memtrace("l")
local ctx = context
@ -201,10 +228,19 @@ function dispatch(request)
local lang = conf.main.lang or "auto"
if lang == "auto" then
local aclang = http.getenv("HTTP_ACCEPT_LANGUAGE") or ""
for lpat in aclang:gmatch("[%w-]+") do
lpat = lpat and lpat:gsub("-", "_")
if conf.languages[lpat] then
lang = lpat
for aclang in aclang:gmatch("[%w_-]+") do
local country, culture = aclang:match("^([a-z][a-z])[_-]([a-zA-Z][a-zA-Z])$")
if country and culture then
local cc = "%s_%s" %{ country, culture:lower() }
if conf.languages[cc] then
lang = cc
break
elseif conf.languages[country] then
lang = country
break
end
elseif conf.languages[aclang] then
lang = aclang
break
end
end
@ -331,75 +367,66 @@ function dispatch(request)
"https://github.com/openwrt/luci/issues"
)
if track.sysauth then
local authen = type(track.sysauth_authenticator) == "function"
and track.sysauth_authenticator
or authenticator[track.sysauth_authenticator]
if track.sysauth and not ctx.authsession then
local authen = track.sysauth_authenticator
local _, sid, sdat, default_user, allowed_users
local def = (type(track.sysauth) == "string") and track.sysauth
local accs = def and {track.sysauth} or track.sysauth
local sess = ctx.authsession
if not sess then
sess = http.getcookie("sysauth")
sess = sess and sess:match("^[a-f0-9]*$")
if type(authen) == "string" and authen ~= "htmlauth" then
error500("Unsupported authenticator %q configured" % authen)
return
end
local sdat = (util.ubus("session", "get", { ubus_rpc_session = sess }) or { }).values
local user, token
if sdat then
user = sdat.user
token = sdat.token
if type(track.sysauth) == "table" then
default_user, allowed_users = nil, track.sysauth
else
local eu = http.getenv("HTTP_AUTH_USER")
local ep = http.getenv("HTTP_AUTH_PASS")
if eu and ep and sys.user.checkpasswd(eu, ep) then
authen = function() return eu end
end
default_user, allowed_users = track.sysauth, { track.sysauth }
end
if not util.contains(accs, user) then
if authen then
local user, sess = authen(sys.user.checkpasswd, accs, def, track.sysauth_template)
local token
if not user or not util.contains(accs, user) then
return
else
if not sess then
local sdat = util.ubus("session", "create", { timeout = tonumber(luci.config.sauth.sessiontime) })
if sdat then
token = sys.uniqueid(16)
util.ubus("session", "set", {
ubus_rpc_session = sdat.ubus_rpc_session,
values = {
user = user,
token = token,
section = sys.uniqueid(16)
}
})
sess = sdat.ubus_rpc_session
end
end
if type(authen) == "function" then
_, sid = authen(sys.user.checkpasswd, allowed_users)
else
sid = http.getcookie("sysauth")
end
if sess and token then
http.header("Set-Cookie", 'sysauth=%s; path=%s' %{ sess, build_url() })
sid, sdat = session_retrieve(sid, allowed_users)
ctx.authsession = sess
ctx.authtoken = token
ctx.authuser = user
if not (sid and sdat) and authen == "htmlauth" then
local user = http.getenv("HTTP_AUTH_USER")
local pass = http.getenv("HTTP_AUTH_PASS")
if user == nil and pass == nil then
user = http.formvalue("luci_username")
pass = http.formvalue("luci_password")
end
sid, sdat = session_setup(user, pass, allowed_users)
if not sid then
local tmpl = require "luci.template"
context.path = {}
http.redirect(build_url(unpack(ctx.requestpath)))
end
end
else
http.status(403, "Forbidden")
tmpl.render(track.sysauth_template or "sysauth", {
duser = default_user,
fuser = user
})
return
end
else
ctx.authsession = sess
ctx.authtoken = token
ctx.authuser = user
http.header("Set-Cookie", 'sysauth=%s; path=%s' %{ sid, build_url() })
http.redirect(build_url(unpack(ctx.requestpath)))
end
if not sid or not sdat then
http.status(403, "Forbidden")
return
end
ctx.authsession = sid
ctx.authtoken = sdat.token
ctx.authuser = sdat.username
end
if c and require_post_security(c.target) then

View file

@ -224,7 +224,15 @@ function write(content, src_err)
header("Cache-Control", "no-cache")
header("Expires", "0")
end
if not context.headers["x-frame-options"] then
header("X-Frame-Options", "SAMEORIGIN")
end
if not context.headers["x-xss-protection"] then
header("X-XSS-Protection", "1; mode=block")
end
if not context.headers["x-content-type-options"] then
header("X-Content-Type-Options", "nosniff")
end
context.eoh = true
coroutine.yield(3)

View file

@ -264,7 +264,7 @@ function header_source( sock )
end
-- Content-Type. Stores all extracted data associated with its parameter name
-- in the params table withing the given message object. Multiple parameter
-- in the params table within the given message object. Multiple parameter
-- values are stored as tables, ordinary ones as strings.
-- If an optional file callback function is given then it is feeded with the
-- file contents chunk by chunk and only the extracted file name is stored
@ -433,7 +433,7 @@ function mimedecode_message_body( src, msg, filecb )
end
-- Content-Type. Stores all extracted data associated with its parameter name
-- in the params table withing the given message object. Multiple parameter
-- in the params table within the given message object. Multiple parameter
-- values are stored as tables, ordinary ones as strings.
function urldecode_message_body( src, msg )

View file

@ -69,7 +69,7 @@ data line by line with the trailing \r\n stripped of.
Decode a mime encoded http message body with multipart/form-data
Content-Type. Stores all extracted data associated with its parameter name
in the params table withing the given message object. Multiple parameter
in the params table within the given message object. Multiple parameter
values are stored as tables, ordinary ones as strings.
If an optional file callback function is given then it is feeded with the
file contents chunk by chunk and only the extracted file name is stored
@ -92,7 +92,7 @@ with three arguments:
Decode an urlencoded http message body with application/x-www-urlencoded
Content-Type. Stores all extracted data associated with its parameter name
in the params table withing the given message object. Multiple parameter
in the params table within the given message object. Multiple parameter
values are stored as tables, ordinary ones as strings.
@class function
@name urldecode_message_body

View file

@ -498,11 +498,13 @@ function forwarding.dest(self)
end
function forwarding.src_zone(self)
return zone(self:src())
local z = zone(self:src())
return z.sid and z
end
function forwarding.dest_zone(self)
return zone(self:dest())
local z = zone(self:dest())
return z.sid and z
end

View file

@ -6,14 +6,12 @@ local type, next, pairs, ipairs, loadfile, table, select
local tonumber, tostring, math = tonumber, tostring, math
local require = require
local pcall, require, setmetatable = pcall, require, setmetatable
local nxo = require "nixio"
local nfs = require "nixio.fs"
local ipc = require "luci.ip"
local sys = require "luci.sys"
local utl = require "luci.util"
local dsp = require "luci.dispatcher"
local uci = require "luci.model.uci"
local lng = require "luci.i18n"
local jsc = require "luci.jsonc"
@ -108,6 +106,58 @@ function _set(c, s, o, v)
end
end
local function _wifi_state()
if not next(_ubuswificache) then
_ubuswificache = utl.ubus("network.wireless", "status", {}) or {}
end
return _ubuswificache
end
local function _wifi_state_by_sid(sid)
local t1, n1 = _uci:get("wireless", sid)
if t1 == "wifi-iface" and n1 ~= nil then
local radioname, radiostate
for radioname, radiostate in pairs(_wifi_state()) do
if type(radiostate) == "table" and
type(radiostate.interfaces) == "table"
then
local netidx, netstate
for netidx, netstate in ipairs(radiostate.interfaces) do
if type(netstate) == "table" and
type(netstate.section) == "string"
then
local t2, n2 = _uci:get("wireless", netstate.section)
if t1 == t2 and n1 == n2 then
return radioname, radiostate, netstate
end
end
end
end
end
end
end
local function _wifi_state_by_ifname(ifname)
if type(ifname) == "string" then
local radioname, radiostate
for radioname, radiostate in pairs(_wifi_state()) do
if type(radiostate) == "table" and
type(radiostate.interfaces) == "table"
then
local netidx, netstate
for netidx, netstate in ipairs(radiostate.interfaces) do
if type(netstate) == "table" and
type(netstate.ifname) == "string" and
netstate.ifname == ifname
then
return radioname, radiostate, netstate
end
end
end
end
end
end
function _wifi_iface(x)
local _, p
for _, p in ipairs(IFACE_PATTERNS_WIRELESS) do
@ -118,59 +168,111 @@ function _wifi_iface(x)
return false
end
function _wifi_state(key, val, field)
local radio, radiostate, ifc, ifcstate
local function _wifi_iwinfo_by_ifname(ifname, force_phy_only)
local stat, iwinfo = pcall(require, "iwinfo")
local iwtype = stat and type(ifname) == "string" and iwinfo.type(ifname)
local is_nonphy_op = {
bitrate = true,
quality = true,
quality_max = true,
mode = true,
ssid = true,
bssid = true,
assoclist = true,
encryption = true
}
if not next(_ubuswificache) then
_ubuswificache = utl.ubus("network.wireless", "status", {}) or {}
if iwtype then
-- if we got a type but no real netdev, we're referring to a phy
local phy_only = force_phy_only or (ipc.link(ifname).type ~= 1)
-- workaround extended section format
for radio, radiostate in pairs(_ubuswificache) do
for ifc, ifcstate in pairs(radiostate.interfaces) do
if ifcstate.section and ifcstate.section:sub(1, 1) == '@' then
local s = _uci:get_all('wireless.%s' % ifcstate.section)
if s then
ifcstate.section = s['.name']
end
return setmetatable({}, {
__index = function(t, k)
if k == "ifname" then
return ifname
elseif phy_only and is_nonphy_op[k] then
return nil
elseif iwinfo[iwtype][k] then
return iwinfo[iwtype][k](ifname)
end
end
end
})
end
end
for radio, radiostate in pairs(_ubuswificache) do
for ifc, ifcstate in pairs(radiostate.interfaces) do
if ifcstate[key] == val then
return ifcstate[field]
end
local function _wifi_sid_by_netid(netid)
if type(netid) == "string" then
local radioname, netidx = netid:match("^(%w+)%.network(%d+)$")
if radioname and netidx then
local i, n = 0, nil
netidx = tonumber(netidx)
_uci:foreach("wireless", "wifi-iface",
function(s)
if s.device == radioname then
i = i + 1
if i == netidx then
n = s[".name"]
return false
end
end
end)
return n
end
end
end
function _wifi_lookup(ifn)
-- got a radio#.network# pseudo iface, locate the corresponding section
local radio, ifnidx = ifn:match("^(%w+)%.network(%d+)$")
if radio and ifnidx then
local sid = nil
local num = 0
ifnidx = tonumber(ifnidx)
_uci:foreach("wireless", "wifi-iface",
function(s)
if s.device == radio then
num = num + 1
if num == ifnidx then
sid = s['.name']
return false
end
end
end)
function _wifi_sid_by_ifname(ifn)
local sid = _wifi_sid_by_netid(ifn)
if sid then
return sid
-- looks like wifi, try to locate the section via ubus state
elseif _wifi_iface(ifn) then
return _wifi_state("ifname", ifn, "section")
end
local _, _, netstate = _wifi_state_by_ifname(ifn)
if netstate and type(netstate.section) == "string" then
return netstate.section
end
end
local function _wifi_netid_by_sid(sid)
local t, n = _uci:get("wireless", sid)
if t == "wifi-iface" and n ~= nil then
local radioname = _uci:get("wireless", n, "device")
if type(radioname) == "string" then
local i, netid = 0, nil
_uci:foreach("wireless", "wifi-iface",
function(s)
if s.device == radioname then
i = i + 1
if s[".name"] == n then
netid = "%s.network%d" %{ radioname, i }
return false
end
end
end)
return netid, radioname
end
end
end
local function _wifi_netid_by_netname(name)
local netid = nil
_uci:foreach("wireless", "wifi-iface",
function(s)
local net
for net in utl.imatch(s.network) do
if net == name then
netid = _wifi_netid_by_sid(s[".name"])
return false
end
end
end)
return netid
end
function _iface_virtual(x)
@ -228,7 +330,7 @@ function init(cursor)
if i.family == "packet" then
_interfaces[name].flags = i.flags
_interfaces[name].stats = i.data
_interfaces[name].macaddr = i.addr
_interfaces[name].macaddr = ipc.checkmac(i.addr)
elseif i.family == "inet" then
_interfaces[name].ipaddrs[#_interfaces[name].ipaddrs+1] = ipc.IPv4(i.addr, i.netmask)
elseif i.family == "inet6" then
@ -441,6 +543,9 @@ end
function del_network(self, n)
local r = _uci:delete("network", n)
if r then
_uci:delete_all("luci", "ifstate",
function(s) return (s.interface == n) end)
_uci:delete_all("network", "alias",
function(s) return (s.interface == n) end)
@ -524,20 +629,8 @@ function get_interface(self, i)
if _interfaces[i] or _wifi_iface(i) then
return interface(i)
else
local ifc
local num = { }
_uci:foreach("wireless", "wifi-iface",
function(s)
if s.device then
num[s.device] = num[s.device] and num[s.device] + 1 or 1
if s['.name'] == i then
ifc = interface(
"%s.network%d" %{s.device, num[s.device] })
return false
end
end
end)
return ifc
local netid = _wifi_netid_by_netname(i)
return netid and interface(netid)
end
end
@ -644,7 +737,7 @@ function get_wifidevs(self)
end
function get_wifinet(self, net)
local wnet = _wifi_lookup(net)
local wnet = _wifi_sid_by_ifname(net)
if wnet then
return wifinet(wnet)
end
@ -660,7 +753,7 @@ function add_wifinet(self, net, options)
end
function del_wifinet(self, net)
local wnet = _wifi_lookup(net)
local wnet = _wifi_sid_by_ifname(net)
if wnet then
_uci:delete("wireless", wnet)
return true
@ -784,22 +877,7 @@ function protocol.ifname(self)
ifname = self:_ubus("device")
end
if not ifname then
local num = { }
_uci:foreach("wireless", "wifi-iface",
function(s)
if s.device then
num[s.device] = num[s.device]
and num[s.device] + 1 or 1
local net
for net in utl.imatch(s.network) do
if net == self.sid then
ifname = "%s.network%d" %{ s.device, num[s.device] }
return false
end
end
end
end)
ifname = _wifi_netid_by_netname(self.sid)
end
return ifname
end
@ -923,7 +1001,15 @@ function protocol.ip6addrs(self)
if type(addrs) == "table" then
for n, addr in ipairs(addrs) do
rv[#rv+1] = "%s1/%d" %{ addr.address, addr.mask }
if type(addr["local-address"]) == "table" and
type(addr["local-address"].mask) == "number" and
type(addr["local-address"].address) == "string"
then
rv[#rv+1] = "%s/%d" %{
addr["local-address"].address,
addr["local-address"].mask
}
end
end
end
@ -981,24 +1067,17 @@ function protocol.is_empty(self)
if self:is_floating() then
return false
else
local rv = true
local empty = true
if (self:_get("ifname") or ""):match("%S+") then
rv = false
empty = false
end
_uci:foreach("wireless", "wifi-iface",
function(s)
local n
for n in utl.imatch(s.network) do
if n == self.sid then
rv = false
return false
end
end
end)
if empty and _wifi_netid_by_netname(self.sid) then
empty = false
end
return rv
return empty
end
end
@ -1006,7 +1085,7 @@ function protocol.add_interface(self, ifname)
ifname = _M:ifnameof(ifname)
if ifname and not self:is_floating() then
-- if its a wifi interface, change its network option
local wif = _wifi_lookup(ifname)
local wif = _wifi_sid_by_ifname(ifname)
if wif then
_append("wireless", wif, "network", self.sid)
@ -1021,7 +1100,7 @@ function protocol.del_interface(self, ifname)
ifname = _M:ifnameof(ifname)
if ifname and not self:is_floating() then
-- if its a wireless interface, clear its network option
local wif = _wifi_lookup(ifname)
local wif = _wifi_sid_by_ifname(ifname)
if wif then _filter("wireless", wif, "network", self.sid) end
-- remove the interface
@ -1043,21 +1122,7 @@ function protocol.get_interface(self)
ifn = ifn:match("^[^:/]+")
return ifn and interface(ifn, self)
end
ifn = nil
_uci:foreach("wireless", "wifi-iface",
function(s)
if s.device then
num[s.device] = num[s.device] and num[s.device] + 1 or 1
local net
for net in utl.imatch(s.network) do
if net == self.sid then
ifn = "%s.network%d" %{ s.device, num[s.device] }
return false
end
end
end
end)
ifn = _wifi_netid_by_netname(self.sid)
return ifn and interface(ifn, self)
end
end
@ -1077,18 +1142,17 @@ function protocol.get_interfaces(self)
ifaces[#ifaces+1] = nfs[ifn]
end
local num = { }
local wfs = { }
_uci:foreach("wireless", "wifi-iface",
function(s)
if s.device then
num[s.device] = num[s.device] and num[s.device] + 1 or 1
local net
for net in utl.imatch(s.network) do
if net == self.sid then
ifn = "%s.network%d" %{ s.device, num[s.device] }
wfs[ifn] = interface(ifn, self)
ifn = _wifi_netid_by_sid(s[".name"])
if ifn then
wfs[ifn] = interface(ifn, self)
end
end
end
end
@ -1119,7 +1183,7 @@ function protocol.contains_interface(self, ifname)
end
end
local wif = _wifi_lookup(ifname)
local wif = _wifi_sid_by_ifname(ifname)
if wif then
local n
for n in utl.imatch(_uci:get("wireless", wif, "network")) do
@ -1134,17 +1198,18 @@ function protocol.contains_interface(self, ifname)
end
function protocol.adminlink(self)
return dsp.build_url("admin", "network", "network", self.sid)
local stat, dsp = pcall(require, "luci.dispatcher")
return stat and dsp.build_url("admin", "network", "network", self.sid)
end
interface = utl.class()
function interface.__init__(self, ifname, network)
local wif = _wifi_lookup(ifname)
local wif = _wifi_sid_by_ifname(ifname)
if wif then
self.wif = wifinet(wif)
self.ifname = _wifi_state("section", wif, "ifname")
self.ifname = self.wif:ifname()
end
self.ifname = self.ifname or ifname
@ -1168,8 +1233,7 @@ function interface.name(self)
end
function interface.mac(self)
local mac = self:_ubus("macaddr")
return mac and mac:upper()
return ipc.checkmac(self:_ubus("macaddr"))
end
function interface.ipaddrs(self)
@ -1332,9 +1396,14 @@ end
wifidev = utl.class()
function wifidev.__init__(self, dev)
self.sid = dev
self.iwinfo = dev and sys.wifi.getiwinfo(dev) or { }
function wifidev.__init__(self, name)
local t, n = _uci:get("wireless", name)
if t == "wifi-device" and n ~= nil then
self.sid = n
self.iwinfo = _wifi_iwinfo_by_ifname(self.sid, true)
end
self.sid = self.sid or name
self.iwinfo = self.iwinfo or { ifname = self.sid }
end
function wifidev.get(self, opt)
@ -1362,8 +1431,6 @@ function wifidev.get_i18n(self)
local t = "Generic"
if self.iwinfo.type == "wl" then
t = "Broadcom"
elseif self.iwinfo.type == "madwifi" then
t = "Atheros"
end
local m = ""
@ -1389,7 +1456,7 @@ function wifidev.get_wifinet(self, net)
if _uci:get("wireless", net) == "wifi-iface" then
return wifinet(net)
else
local wnet = _wifi_lookup(net)
local wnet = _wifi_sid_by_ifname(net)
if wnet then
return wifinet(wnet)
end
@ -1423,7 +1490,7 @@ function wifidev.del_wifinet(self, net)
if utl.instanceof(net, wifinet) then
net = net.sid
elseif _uci:get("wireless", net) ~= "wifi-iface" then
net = _wifi_lookup(net)
net = _wifi_sid_by_ifname(net)
end
if net and _uci:get("wireless", net, "device") == self.sid then
@ -1437,49 +1504,50 @@ end
wifinet = utl.class()
function wifinet.__init__(self, net, data)
self.sid = net
local n = 0
local num = { }
local netid, sid
_uci:foreach("wireless", "wifi-iface",
function(s)
n = n + 1
if s.device then
num[s.device] = num[s.device] and num[s.device] + 1 or 1
if s['.name'] == self.sid then
sid = "@wifi-iface[%d]" % n
netid = "%s.network%d" %{ s.device, num[s.device] }
return false
end
end
end)
function wifinet.__init__(self, name, data)
local sid, netid, radioname, radiostate, netstate
-- lookup state by radio#.network# notation
sid = _wifi_sid_by_netid(name)
if sid then
local _, k, r, i
for k, r in pairs(_ubuswificache) do
if type(r) == "table" and
type(r.interfaces) == "table"
then
for _, i in ipairs(r.interfaces) do
if type(i) == "table" and i.section == sid then
self._ubusdata = {
radio = k,
dev = r,
net = i
}
end
netid = name
radioname, radiostate, netstate = _wifi_state_by_sid(sid)
else
-- lookup state by ifname (e.g. wlan0)
radioname, radiostate, netstate = _wifi_state_by_ifname(name)
if radioname and radiostate and netstate then
sid = netstate.section
netid = _wifi_netid_by_sid(sid)
else
-- lookup state by uci section id (e.g. cfg053579)
radioname, radiostate, netstate = _wifi_state_by_sid(name)
if radioname and radiostate and netstate then
sid = name
netid = _wifi_netid_by_sid(sid)
else
-- no state available, try to resolve from uci
netid, radioname = _wifi_netid_by_sid(name)
if netid and radioname then
sid = name
end
end
end
end
local dev = _wifi_state("section", self.sid, "ifname") or netid
local iwinfo =
(netstate and _wifi_iwinfo_by_ifname(netstate.ifname)) or
(radioname and _wifi_iwinfo_by_ifname(radioname)) or
{ ifname = (netid or sid or name) }
self.netid = netid
self.wdev = dev
self.iwinfo = dev and sys.wifi.getiwinfo(dev) or { }
self.sid = sid or name
self.wdev = iwinfo.ifname
self.iwinfo = iwinfo
self.netid = netid
self._ubusdata = {
radio = radioname,
dev = radiostate,
net = netstate
}
end
function wifinet.ubus(self, ...)
@ -1666,7 +1734,8 @@ function wifinet.get_i18n(self)
end
function wifinet.adminlink(self)
return dsp.build_url("admin", "network", "wireless", self.netid)
local stat, dsp = pcall(require, "luci.dispatcher")
return dsp and dsp.build_url("admin", "network", "wireless", self.netid)
end
function wifinet.get_network(self)

View file

@ -7,6 +7,7 @@ local table = require "table"
local nixio = require "nixio"
local fs = require "nixio.fs"
local uci = require "luci.model.uci"
local ntm = require "luci.model.network"
local luci = {}
luci.util = require "luci.util"
@ -117,45 +118,12 @@ end
net = {}
-- The following fields are defined for arp entry objects:
-- { "IP address", "HW address", "HW type", "Flags", "Mask", "Device" }
function net.arptable(callback)
local arp = (not callback) and {} or nil
local e, r, v
if fs.access("/proc/net/arp") then
for e in io.lines("/proc/net/arp") do
local r = { }, v
for v in e:gmatch("%S+") do
r[#r+1] = v
end
if r[1] ~= "IP" then
local x = {
["IP address"] = r[1],
["HW type"] = r[2],
["Flags"] = r[3],
["HW address"] = r[4],
["Mask"] = r[5],
["Device"] = r[6]
}
if callback then
callback(x)
else
arp = arp or { }
arp[#arp+1] = x
end
end
end
end
return arp
end
local function _nethints(what, callback)
local _, k, e, mac, ip, name
local cur = uci.cursor()
local ifn = { }
local hosts = { }
local lookup = { }
local function _add(i, ...)
local k = select(i, ...)
@ -178,9 +146,14 @@ local function _nethints(what, callback)
if fs.access("/etc/ethers") then
for e in io.lines("/etc/ethers") do
mac, ip = e:match("^([a-f0-9]%S+) (%S+)")
if mac and ip then
_add(what, mac:upper(), ip, nil, nil)
mac, name = e:match("^([a-fA-F0-9:-]+)%s+(%S+)")
mac = luci.ip.checkmac(mac)
if mac and name then
if luci.ip.checkip4(name) then
_add(what, mac, name, nil, nil)
else
_add(what, mac, nil, nil, name)
end
end
end
end
@ -190,8 +163,9 @@ local function _nethints(what, callback)
if s.leasefile and fs.access(s.leasefile) then
for e in io.lines(s.leasefile) do
mac, ip, name = e:match("^%d+ (%S+) (%S+) (%S+)")
mac = luci.ip.checkmac(mac)
if mac and ip then
_add(what, mac:upper(), ip, nil, name ~= "*" and name)
_add(what, mac, ip, nil, name ~= "*" and name)
end
end
end
@ -201,7 +175,10 @@ local function _nethints(what, callback)
cur:foreach("dhcp", "host",
function(s)
for mac in luci.util.imatch(s.mac) do
_add(what, mac:upper(), s.ip, nil, s.name)
mac = luci.ip.checkmac(mac)
if mac then
_add(what, mac, s.ip, nil, s.name)
end
end
end)
@ -224,8 +201,20 @@ local function _nethints(what, callback)
end
end
for _, e in pairs(hosts) do
lookup[#lookup+1] = (what > 1) and e[what] or (e[2] or e[3])
end
if #lookup > 0 then
lookup = luci.util.ubus("network.rrdns", "lookup", {
addrs = lookup,
timeout = 250,
limit = 1000
}) or { }
end
for _, e in luci.util.kspairs(hosts) do
callback(e[1], e[2], e[3], e[4])
callback(e[1], e[2], e[3], lookup[e[2]] or lookup[e[3]] or e[4])
end
end
@ -234,17 +223,17 @@ end
function net.mac_hints(callback)
if callback then
_nethints(1, function(mac, v4, v6, name)
name = name or nixio.getnameinfo(v4 or v6, nil, 100) or v4
name = name or v4
if name and name ~= mac then
callback(mac, name or nixio.getnameinfo(v4 or v6, nil, 100) or v4)
callback(mac, name or v4)
end
end)
else
local rv = { }
_nethints(1, function(mac, v4, v6, name)
name = name or nixio.getnameinfo(v4 or v6, nil, 100) or v4
name = name or v4
if name and name ~= mac then
rv[#rv+1] = { mac, name or nixio.getnameinfo(v4 or v6, nil, 100) or v4 }
rv[#rv+1] = { mac, name or v4 }
end
end)
return rv
@ -256,7 +245,7 @@ end
function net.ipv4_hints(callback)
if callback then
_nethints(2, function(mac, v4, v6, name)
name = name or nixio.getnameinfo(v4, nil, 100) or mac
name = name or mac
if name and name ~= v4 then
callback(v4, name)
end
@ -264,7 +253,7 @@ function net.ipv4_hints(callback)
else
local rv = { }
_nethints(2, function(mac, v4, v6, name)
name = name or nixio.getnameinfo(v4, nil, 100) or mac
name = name or mac
if name and name ~= v4 then
rv[#rv+1] = { v4, name }
end
@ -278,7 +267,7 @@ end
function net.ipv6_hints(callback)
if callback then
_nethints(3, function(mac, v4, v6, name)
name = name or nixio.getnameinfo(v6, nil, 100) or mac
name = name or mac
if name and name ~= v6 then
callback(v6, name)
end
@ -286,7 +275,7 @@ function net.ipv6_hints(callback)
else
local rv = { }
_nethints(3, function(mac, v4, v6, name)
name = name or nixio.getnameinfo(v6, nil, 100) or mac
name = name or mac
if name and name ~= v6 then
rv[#rv+1] = { v6, name }
end
@ -369,8 +358,10 @@ end
function net.devices()
local devs = {}
local seen = {}
for k, v in ipairs(nixio.getifaddrs()) do
if v.family == "packet" then
if v.name and not seen[v.name] then
seen[v.name] = true
devs[#devs+1] = v.name
end
end
@ -378,145 +369,6 @@ function net.devices()
end
function net.deviceinfo()
local devs = {}
for k, v in ipairs(nixio.getifaddrs()) do
if v.family == "packet" then
local d = v.data
d[1] = d.rx_bytes
d[2] = d.rx_packets
d[3] = d.rx_errors
d[4] = d.rx_dropped
d[5] = 0
d[6] = 0
d[7] = 0
d[8] = d.multicast
d[9] = d.tx_bytes
d[10] = d.tx_packets
d[11] = d.tx_errors
d[12] = d.tx_dropped
d[13] = 0
d[14] = d.collisions
d[15] = 0
d[16] = 0
devs[v.name] = d
end
end
return devs
end
-- The following fields are defined for route entry tables:
-- { "dest", "gateway", "metric", "refcount", "usecount", "irtt",
-- "flags", "device" }
function net.routes(callback)
local routes = { }
for line in io.lines("/proc/net/route") do
local dev, dst_ip, gateway, flags, refcnt, usecnt, metric,
dst_mask, mtu, win, irtt = line:match(
"([^%s]+)\t([A-F0-9]+)\t([A-F0-9]+)\t([A-F0-9]+)\t" ..
"(%d+)\t(%d+)\t(%d+)\t([A-F0-9]+)\t(%d+)\t(%d+)\t(%d+)"
)
if dev then
gateway = luci.ip.Hex( gateway, 32, luci.ip.FAMILY_INET4 )
dst_mask = luci.ip.Hex( dst_mask, 32, luci.ip.FAMILY_INET4 )
dst_ip = luci.ip.Hex(
dst_ip, dst_mask:prefix(dst_mask), luci.ip.FAMILY_INET4
)
local rt = {
dest = dst_ip,
gateway = gateway,
metric = tonumber(metric),
refcount = tonumber(refcnt),
usecount = tonumber(usecnt),
mtu = tonumber(mtu),
window = tonumber(window),
irtt = tonumber(irtt),
flags = tonumber(flags, 16),
device = dev
}
if callback then
callback(rt)
else
routes[#routes+1] = rt
end
end
end
return routes
end
-- The following fields are defined for route entry tables:
-- { "source", "dest", "nexthop", "metric", "refcount", "usecount",
-- "flags", "device" }
function net.routes6(callback)
if fs.access("/proc/net/ipv6_route", "r") then
local routes = { }
for line in io.lines("/proc/net/ipv6_route") do
local dst_ip, dst_prefix, src_ip, src_prefix, nexthop,
metric, refcnt, usecnt, flags, dev = line:match(
"([a-f0-9]+) ([a-f0-9]+) " ..
"([a-f0-9]+) ([a-f0-9]+) " ..
"([a-f0-9]+) ([a-f0-9]+) " ..
"([a-f0-9]+) ([a-f0-9]+) " ..
"([a-f0-9]+) +([^%s]+)"
)
if dst_ip and dst_prefix and
src_ip and src_prefix and
nexthop and metric and
refcnt and usecnt and
flags and dev
then
src_ip = luci.ip.Hex(
src_ip, tonumber(src_prefix, 16), luci.ip.FAMILY_INET6, false
)
dst_ip = luci.ip.Hex(
dst_ip, tonumber(dst_prefix, 16), luci.ip.FAMILY_INET6, false
)
nexthop = luci.ip.Hex( nexthop, 128, luci.ip.FAMILY_INET6, false )
local rt = {
source = src_ip,
dest = dst_ip,
nexthop = nexthop,
metric = tonumber(metric, 16),
refcount = tonumber(refcnt, 16),
usecount = tonumber(usecnt, 16),
flags = tonumber(flags, 16),
device = dev,
-- lua number is too small for storing the metric
-- add a metric_raw field with the original content
metric_raw = metric
}
if callback then
callback(rt)
else
routes[#routes+1] = rt
end
end
end
return routes
end
end
function net.pingtest(host)
return os.execute("ping -c1 '"..host:gsub("'", '').."' >/dev/null 2>&1")
end
process = {}
function process.info(key)
@ -609,37 +461,19 @@ end
wifi = {}
function wifi.getiwinfo(ifname)
local stat, iwinfo = pcall(require, "iwinfo")
ntm.init()
if ifname then
local d, n = ifname:match("^(%w+)%.network(%d+)")
local wstate = luci.util.ubus("network.wireless", "status") or { }
d = d or ifname
n = n and tonumber(n) or 1
if type(wstate[d]) == "table" and
type(wstate[d].interfaces) == "table" and
type(wstate[d].interfaces[n]) == "table" and
type(wstate[d].interfaces[n].ifname) == "string"
then
ifname = wstate[d].interfaces[n].ifname
else
ifname = d
end
local t = stat and iwinfo.type(ifname)
local x = t and iwinfo[t] or { }
return setmetatable({}, {
__index = function(t, k)
if k == "ifname" then
return ifname
elseif x[k] then
return x[k](ifname)
end
end
})
local wnet = ntm:get_wifinet(ifname)
if wnet and wnet.iwinfo then
return wnet.iwinfo
end
local wdev = ntm:get_wifidev(ifname)
if wdev and wdev.iwinfo then
return wdev.iwinfo
end
return { ifname = ifname }
end

View file

@ -51,7 +51,7 @@ TZ = {
{ 'Africa/Nouakchott', 'GMT0' },
{ 'Africa/Ouagadougou', 'GMT0' },
{ 'Africa/Porto-Novo', 'WAT-1' },
{ 'Africa/Sao Tome', 'GMT0' },
{ 'Africa/Sao Tome', 'WAT-1' },
{ 'Africa/Tripoli', 'EET-2' },
{ 'Africa/Tunis', 'CET-1' },
{ 'Africa/Windhoek', 'CAT-2' },
@ -85,7 +85,7 @@ TZ = {
{ 'America/Bogota', '<-05>5' },
{ 'America/Boise', 'MST7MDT,M3.2.0,M11.1.0' },
{ 'America/Cambridge Bay', 'MST7MDT,M3.2.0,M11.1.0' },
{ 'America/Campo Grande', '<-04>4<-03>,M10.3.0/0,M2.3.0/0' },
{ 'America/Campo Grande', '<-04>4<-03>,M11.1.0/0,M2.3.0/0' },
{ 'America/Cancun', 'EST5' },
{ 'America/Caracas', '<-04>4' },
{ 'America/Cayenne', '<-03>3' },
@ -94,7 +94,7 @@ TZ = {
{ 'America/Chihuahua', 'MST7MDT,M4.1.0,M10.5.0' },
{ 'America/Costa Rica', 'CST6' },
{ 'America/Creston', 'MST7' },
{ 'America/Cuiaba', '<-04>4<-03>,M10.3.0/0,M2.3.0/0' },
{ 'America/Cuiaba', '<-04>4<-03>,M11.1.0/0,M2.3.0/0' },
{ 'America/Curacao', 'AST4' },
{ 'America/Danmarkshavn', 'GMT0' },
{ 'America/Dawson', 'PST8PDT,M3.2.0,M11.1.0' },
@ -181,7 +181,7 @@ TZ = {
{ 'America/Santarem', '<-03>3' },
{ 'America/Santiago', '<-04>4<-03>,M8.2.6/24,M5.2.6/24' },
{ 'America/Santo Domingo', 'AST4' },
{ 'America/Sao Paulo', '<-03>3<-02>,M10.3.0/0,M2.3.0/0' },
{ 'America/Sao Paulo', '<-03>3<-02>,M11.1.0/0,M2.3.0/0' },
{ 'America/Scoresbysund', '<-01>1<+00>,M3.5.0/0,M10.5.0/1' },
{ 'America/Sitka', 'AKST9AKDT,M3.2.0,M11.1.0' },
{ 'America/St Barthelemy', 'AST4' },

View file

@ -4,6 +4,7 @@
module("luci.tools.status", package.seeall)
local uci = require "luci.model.uci".cursor()
local ipc = require "luci.ip"
local function dhcp_leases_common(family)
local rv = { }
@ -31,7 +32,7 @@ local function dhcp_leases_common(family)
if family == 4 and not ip:match(":") then
rv[#rv+1] = {
expires = (expire ~= 0) and os.difftime(expire, os.time()),
macaddr = mac,
macaddr = ipc.checkmac(mac) or "00:00:00:00:00:00",
ipaddr = ip,
hostname = (name ~= "*") and name
}
@ -74,19 +75,9 @@ local function dhcp_leases_common(family)
hostname = (name ~= "-") and name
}
elseif ip and iaid == "ipv4" and family == 4 then
local mac, mac1, mac2, mac3, mac4, mac5, mac6
if duid and type(duid) == "string" then
mac1, mac2, mac3, mac4, mac5, mac6 = duid:match("^(%x%x)(%x%x)(%x%x)(%x%x)(%x%x)(%x%x)$")
end
if not (mac1 and mac2 and mac3 and mac4 and mac5 and mac6) then
mac = "FF:FF:FF:FF:FF:FF"
else
mac = mac1..":"..mac2..":"..mac3..":"..mac4..":"..mac5..":"..mac6
end
rv[#rv+1] = {
expires = (expire >= 0) and os.difftime(expire, os.time()),
macaddr = duid,
macaddr = mac:lower(),
macaddr = ipc.checkmac(duid:gsub("^(%x%x)(%x%x)(%x%x)(%x%x)(%x%x)(%x%x)$", "%1:%2:%3:%4:%5:%6")) or "00:00:00:00:00:00",
ipaddr = ip,
hostname = (name ~= "-") and name
}

View file

@ -109,13 +109,13 @@ Remove leading and trailing whitespace from given string value.
]]
---[[
Count the occurences of given substring in given string.
Count the occurrences of given substring in given string.
@class function
@name cmatch
@param str String to search in
@param pattern String containing pattern to find
@return Number of found occurences
@return Number of found occurrences
]]
---[[

View file

@ -43,11 +43,12 @@
&#160;&#8658;&#160;
<% for _, fwd in ipairs(zone:get_forwardings_by("src")) do
fz = fwd:dest_zone()
empty = false %>
if fz then
empty = false %>
<label class="zonebadge" style="background-color:<%=fz:get_color()%>">
<strong><%=fz:name()%></strong>
</label>&#160;
<% end %>
<% end end %>
<% if empty then %>
<label class="zonebadge zonebadge-empty">
<strong><%=zone:forward():upper()%></strong>

View file

@ -24,70 +24,72 @@
end
-%>
<ul style="margin:0; list-style-type:none; text-align:left">
<% if self.allowlocal then %>
<li style="padding:0.5em">
<input class="cbi-input-radio" data-update="click change"<%=attr("type", self.widget or "radio") .. attr("id", cbid .. "_empty") .. attr("name", cbid) .. attr("value", "") .. ifattr(checked[""], "checked", "checked")%> /> &#160;
<label<%=attr("for", cbid .. "_empty")%>></label>
<label<%=attr("for", cbid .. "_empty")%> style="background-color:<%=fwm.zone.get_color()%>" class="zonebadge">
<strong><%:Device%></strong>
<% if self.allowany and self.allowlocal then %>(<%:input%>)<% end %>
</label>
</li>
<% end %>
<% if self.allowany then %>
<li style="padding:0.5em">
<input class="cbi-input-radio" data-update="click change"<%=attr("type", self.widget or "radio") .. attr("id", cbid .. "_any") .. attr("name", cbid) .. attr("value", "*") .. ifattr(checked["*"], "checked", "checked")%> /> &#160;
<label<%=attr("for", cbid .. "_any")%>></label>
<label<%=attr("for", cbid .. "_any")%> style="background-color:<%=fwm.zone.get_color()%>" class="zonebadge">
<strong><%:Any zone%></strong>
<% if self.allowany and self.allowlocal then %>(<%:forward%>)<% end %>
</label>
</li>
<% end %>
<%
for _, zone in utl.spairs(zones, function(a,b) return (zones[a]:name() < zones[b]:name()) end) do
if zone:name() ~= self.exclude then
selected = selected or (value == zone:name())
%>
<li style="padding:0.5em">
<input class="cbi-input-radio" data-update="click change"<%=attr("type", self.widget or "radio") .. attr("id", cbid .. "." .. zone:name()) .. attr("name", cbid) .. attr("value", zone:name()) .. ifattr(checked[zone:name()], "checked", "checked")%> /> &#160;
<label<%=attr("for", cbid .. "." .. zone:name())%>></label>
<label<%=attr("for", cbid .. "." .. zone:name())%> style="background-color:<%=zone:get_color()%>" class="zonebadge">
<strong><%=zone:name()%>:</strong>
<%
local zempty = true
for _, net in ipairs(zone:get_networks()) do
net = nwm:get_network(net)
if net then
zempty = false
%>
<span class="ifacebadge<% if net:name() == self.network then %> ifacebadge-active<% end %>"><%=net:name()%>:
<span>
<ul style="margin:0; list-style-type:none; text-align:left">
<% if self.allowlocal then %>
<li style="padding:0.5em">
<input class="cbi-input-radio" data-update="click change"<%=attr("type", self.widget or "radio") .. attr("id", cbid .. "_empty") .. attr("name", cbid) .. attr("value", "") .. ifattr(checked[""], "checked", "checked")%> /> &#160;
<label<%=attr("for", cbid .. "_empty")%>></label>
<label<%=attr("for", cbid .. "_empty")%> style="background-color:<%=fwm.zone.get_color()%>" class="zonebadge">
<strong><%:Device%></strong>
<% if self.allowany and self.allowlocal then %>(<%:input%>)<% end %>
</label>
</li>
<% end %>
<% if self.allowany then %>
<li style="padding:0.5em">
<input class="cbi-input-radio" data-update="click change"<%=attr("type", self.widget or "radio") .. attr("id", cbid .. "_any") .. attr("name", cbid) .. attr("value", "*") .. ifattr(checked["*"], "checked", "checked")%> /> &#160;
<label<%=attr("for", cbid .. "_any")%>></label>
<label<%=attr("for", cbid .. "_any")%> style="background-color:<%=fwm.zone.get_color()%>" class="zonebadge">
<strong><%:Any zone%></strong>
<% if self.allowany and self.allowlocal then %>(<%:forward%>)<% end %>
</label>
</li>
<% end %>
<%
for _, zone in utl.spairs(zones, function(a,b) return (zones[a]:name() < zones[b]:name()) end) do
if zone:name() ~= self.exclude then
selected = selected or (value == zone:name())
%>
<li style="padding:0.5em">
<input class="cbi-input-radio" data-update="click change"<%=attr("type", self.widget or "radio") .. attr("id", cbid .. "." .. zone:name()) .. attr("name", cbid) .. attr("value", zone:name()) .. ifattr(checked[zone:name()], "checked", "checked")%> /> &#160;
<label<%=attr("for", cbid .. "." .. zone:name())%>></label>
<label<%=attr("for", cbid .. "." .. zone:name())%> style="background-color:<%=zone:get_color()%>" class="zonebadge">
<strong><%=zone:name()%>:</strong>
<%
local nempty = true
for _, iface in ipairs(net:is_bridge() and net:get_interfaces() or { net:get_interface() }) do
nempty = false
%>
<img<%=attr("title", iface:get_i18n())%> style="width:16px; height:16px; vertical-align:middle" src="<%=resource%>/icons/<%=iface:type()%><%=iface:is_up() and "" or "_disabled"%>.png" />
<% end %>
<% if nempty then %><em><%:(empty)%></em><% end %>
</span>
<% end end %>
<% if zempty then %><em><%:(empty)%></em><% end %>
</label>
</li>
<% end end %>
local zempty = true
for _, net in ipairs(zone:get_networks()) do
net = nwm:get_network(net)
if net then
zempty = false
%>
<span class="ifacebadge<% if net:name() == self.network then %> ifacebadge-active<% end %>"><%=net:name()%>:
<%
local nempty = true
for _, iface in ipairs(net:is_bridge() and net:get_interfaces() or { net:get_interface() }) do
nempty = false
%>
<img<%=attr("title", iface:get_i18n())%> style="width:16px; height:16px; vertical-align:middle" src="<%=resource%>/icons/<%=iface:type()%><%=iface:is_up() and "" or "_disabled"%>.png" />
<% end %>
<% if nempty then %><em><%:(empty)%></em><% end %>
</span>
<% end end %>
<% if zempty then %><em><%:(empty)%></em><% end %>
</label>
</li>
<% end end %>
<% if self.widget ~= "checkbox" and not self.nocreate then %>
<li style="padding:0.5em">
<input class="cbi-input-radio" data-update="click change" type="radio"<%=attr("id", cbid .. "_new") .. attr("name", cbid) .. attr("value", "-") .. ifattr(not selected, "checked", "checked")%> /> &#160;
<label<%=attr("for", cbid .. "_new")%>></label>
<div onclick="document.getElementById('<%=cbid%>_new').checked=true" class="zonebadge" style="background-color:<%=fwm.zone.get_color()%>">
<em><%:unspecified -or- create:%>&#160;</em>
<input type="text"<%=attr("name", cbid .. ".newzone") .. ifattr(not selected, "value", luci.http.formvalue(cbid .. ".newzone") or self.default)%> onfocus="document.getElementById('<%=cbid%>_new').checked=true" />
</div>
</li>
<% end %>
</ul>
<% if self.widget ~= "checkbox" and not self.nocreate then %>
<li style="padding:0.5em">
<input class="cbi-input-radio" data-update="click change" type="radio"<%=attr("id", cbid .. "_new") .. attr("name", cbid) .. attr("value", "-") .. ifattr(not selected, "checked", "checked")%> /> &#160;
<label<%=attr("for", cbid .. "_new")%>></label>
<div onclick="document.getElementById('<%=cbid%>_new').checked=true" class="zonebadge" style="background-color:<%=fwm.zone.get_color()%>">
<em><%:unspecified -or- create:%>&#160;</em>
<input type="text"<%=attr("name", cbid .. ".newzone") .. ifattr(not selected, "value", luci.http.formvalue(cbid .. ".newzone") or self.default)%> onfocus="document.getElementById('<%=cbid%>_new').checked=true" />
</div>
</li>
<% end %>
</ul>
</span>
<%+cbi/valuefooter%>

File diff suppressed because it is too large Load diff

View file

@ -11,6 +11,9 @@ msgstr ""
"Plural-Forms: nplurals=3; plural=(n==1) ? 0 : (n>=2 && n<=4) ? 1 : 2;\n"
"X-Generator: Pootle 2.0.6\n"
msgid "%.1f dB"
msgstr ""
msgid "%s is untagged in multiple VLANs!"
msgstr ""
@ -129,6 +132,9 @@ msgstr "<abbr title=\"Light Emitting Diode\">LED</abbr> Název"
msgid "<abbr title=\"Media Access Control\">MAC</abbr>-Address"
msgstr "<abbr title=\"Media Access Control\">MAC</abbr>-Adresa"
msgid "<abbr title=\"The DHCP Unique Identifier\">DUID</abbr>"
msgstr ""
msgid ""
"<abbr title=\"maximal\">Max.</abbr> <abbr title=\"Dynamic Host Configuration "
"Protocol\">DHCP</abbr> leases"
@ -172,9 +178,6 @@ msgstr ""
msgid "APN"
msgstr "APN"
msgid "AR Support"
msgstr "Podpora AR"
msgid "ARP retry threshold"
msgstr "ARP limit opakování"
@ -214,9 +217,6 @@ msgstr "Přístupový koncentrátor"
msgid "Access Point"
msgstr "Přístupový bod"
msgid "Action"
msgstr "Akce"
msgid "Actions"
msgstr "Akce"
@ -292,6 +292,9 @@ msgstr "Povolit <abbr title=\"Secure Shell\">SSH</abbr> autentizaci heslem"
msgid "Allow all except listed"
msgstr "Povolit vše mimo uvedené"
msgid "Allow legacy 802.11b rates"
msgstr ""
msgid "Allow listed only"
msgstr "Povolit pouze uvedené"
@ -419,9 +422,6 @@ msgstr ""
msgid "Associated Stations"
msgstr "Připojení klienti"
msgid "Atheros 802.11%s Wireless Controller"
msgstr "Atheros 802.11%s bezdrátový ovladač"
msgid "Auth Group"
msgstr ""
@ -497,9 +497,6 @@ msgstr "Zpět k přehledu"
msgid "Back to scan results"
msgstr "Zpět k výsledkům vyhledávání"
msgid "Background Scan"
msgstr "Vyhledávat na pozadí"
msgid "Backup / Flash Firmware"
msgstr "Zálohovat / nahrát firmware"
@ -568,9 +565,6 @@ msgid ""
"preserved in any sysupgrade."
msgstr ""
msgid "Buttons"
msgstr "Tlačítka"
msgid "CA certificate; if empty it will be saved after the first connection."
msgstr ""
@ -601,7 +595,7 @@ msgstr "Kanál"
msgid "Check"
msgstr "Kontrola"
msgid "Check fileystems before mount"
msgid "Check filesystems before mount"
msgstr ""
msgid "Check this option to delete the existing networks from this radio."
@ -668,8 +662,12 @@ msgstr "Příkaz"
msgid "Common Configuration"
msgstr "Společná nastavení"
msgid "Compression"
msgstr "Komprese"
msgid ""
"Complicates key reinstallation attacks on the client side by disabling "
"retransmission of EAPOL-Key frames that are used to install keys. This "
"workaround might cause interoperability issues and reduced robustness of key "
"negotiation especially in environments with heavy traffic load."
msgstr ""
msgid "Configuration"
msgstr "Nastavení"
@ -890,9 +888,6 @@ msgstr "Zakázat nastavení DNS"
msgid "Disable Encryption"
msgstr ""
msgid "Disable HW-Beacon timer"
msgstr "Zakázat HW-Beacon časovač"
msgid "Disabled"
msgstr "Zakázáno"
@ -939,9 +934,6 @@ msgstr ""
msgid "Do not forward reverse lookups for local networks"
msgstr "Nepřeposílat reverzní dotazy na místní sítě"
msgid "Do not send probe responses"
msgstr "Neodpovídat na vyhledávání"
msgid "Domain required"
msgstr "Vyžadována doména"
@ -964,6 +956,9 @@ msgstr "Stáhnout a nainstalovat balíček"
msgid "Download backup"
msgstr "Stáhnout zálohu"
msgid "Downstream SNR offset"
msgstr ""
msgid "Dropbear Instance"
msgstr "Instance Dropbear"
@ -1145,8 +1140,14 @@ msgstr ""
msgid "Extra SSH command options"
msgstr ""
msgid "Fast Frames"
msgstr "Rychlé rámce"
msgid "FT over DS"
msgstr ""
msgid "FT over the Air"
msgstr ""
msgid "FT protocol"
msgstr ""
msgid "File"
msgstr "Soubor"
@ -1183,6 +1184,9 @@ msgstr "Dokončit"
msgid "Firewall"
msgstr "Firewall"
msgid "Firewall Mark"
msgstr ""
msgid "Firewall Settings"
msgstr "Nastavení firewallu"
@ -1228,6 +1232,9 @@ msgstr "Vynutit TKIP"
msgid "Force TKIP and CCMP (AES)"
msgstr "Vynutit TKIP a CCMP (AES)"
msgid "Force link"
msgstr ""
msgid "Force use of NAT-T"
msgstr ""
@ -1243,6 +1250,9 @@ msgstr ""
msgid "Forward broadcast traffic"
msgstr "Přeposílat broadcasty"
msgid "Forward mesh peer traffic"
msgstr ""
msgid "Forwarding mode"
msgstr "Režim přeposílání"
@ -1287,6 +1297,9 @@ msgstr ""
msgid "Generate Config"
msgstr ""
msgid "Generate PMK locally"
msgstr ""
msgid "Generate archive"
msgstr "Vytvorǐt archív"
@ -1323,9 +1336,6 @@ msgstr ""
msgid "HT mode (802.11n)"
msgstr ""
msgid "Handler"
msgstr "Handler"
msgid "Hang Up"
msgstr "Zavěsit"
@ -1496,7 +1506,7 @@ msgstr "IPv6-over-IPv4 (6to4)"
msgid "Identity"
msgstr "Identita"
msgid "If checked, 1DES is enaled"
msgid "If checked, 1DES is enabled"
msgstr ""
msgid "If checked, encryption is disabled"
@ -1634,6 +1644,9 @@ msgstr "Uvedené VLAN ID je neplatné! Každé ID musí být jedinečné"
msgid "Invalid username and/or password! Please try again."
msgstr "Špatné uživatelské jméno a/nebo heslo! Prosím zkuste to znovu."
msgid "Isolate Clients"
msgstr ""
#, fuzzy
msgid ""
"It appears that you are trying to flash an image that does not fit into the "
@ -1642,9 +1655,6 @@ msgstr ""
"Zdá se, že se pokoušíte zapsat obraz, který se nevejde do flash paměti. "
"Prosím ověřte soubor s obrazem!"
msgid "Java Script required!"
msgstr ""
msgid "JavaScript required!"
msgstr "Vyžadován JavaScript!"
@ -1912,9 +1922,6 @@ msgstr ""
msgid "Max. Attainable Data Rate (ATTNDR)"
msgstr ""
msgid "Maximum Rate"
msgstr "Nejvyšší míra"
msgid "Maximum allowed number of active DHCP leases"
msgstr "Nejvyšší povolené množství aktivních DHCP zápůjček"
@ -1927,9 +1934,6 @@ msgstr "Nejvyšší povolená velikost EDNS.0 UDP paketů"
msgid "Maximum amount of seconds to wait for the modem to become ready"
msgstr "Nejvyšší počet sekund čekání, než bude modem připraven"
msgid "Maximum hold time"
msgstr "Maximální doba držení"
msgid ""
"Maximum length of the name is 15 characters including the automatic protocol/"
"bridge prefix (br-, 6in4-, pppoe- etc.)"
@ -1947,15 +1951,12 @@ msgstr "Paměť"
msgid "Memory usage (%)"
msgstr "Využití paměti (%)"
msgid "Mesh Id"
msgstr ""
msgid "Metric"
msgstr "Metrika"
msgid "Minimum Rate"
msgstr "Nejnižší hodnota"
msgid "Minimum hold time"
msgstr "Minimální čas zápůjčky"
msgid "Mirror monitor port"
msgstr ""
@ -2026,9 +2027,6 @@ msgstr "Přesunout dolů"
msgid "Move up"
msgstr "Přesunout nahoru"
msgid "Multicast Rate"
msgstr "Hodnota vícesměrového vysílání"
msgid "Multicast address"
msgstr "Adresa vícesměrového vysílání"
@ -2041,6 +2039,9 @@ msgstr ""
msgid "NAT64 Prefix"
msgstr ""
msgid "NCM"
msgstr ""
msgid "NDP-Proxy"
msgstr ""
@ -2230,8 +2231,8 @@ msgid "Optional, use when the SIXXS account has more than one tunnel"
msgstr ""
msgid ""
"Optional. Adds in an additional layer of symmetric-key cryptography for post-"
"quantum resistance."
"Optional. 32-bit mark for outgoing encrypted packets. Enter value in hex, "
"starting with <code>0x</code>."
msgstr ""
msgid ""
@ -2241,6 +2242,11 @@ msgid ""
"for the interface."
msgstr ""
msgid ""
"Optional. Base64-encoded preshared key. Adds in an additional layer of "
"symmetric-key cryptography for post-quantum resistance."
msgstr ""
msgid "Optional. Create routes for Allowed IPs for this peer."
msgstr ""
@ -2275,9 +2281,6 @@ msgstr "Ven"
msgid "Outbound:"
msgstr "Odchozí:"
msgid "Outdoor Channels"
msgstr "Venkovní kanály"
msgid "Output Interface"
msgstr ""
@ -2399,9 +2402,6 @@ msgstr "Cesta k certifikátu klienta"
msgid "Path to Private Key"
msgstr "Cesta k privátnímu klíči"
msgid "Path to executable which handles the button event"
msgstr "Cesta ke spustitelnému souboru, který obsluhuje událost tlačítka"
msgid "Path to inner CA-Certificate"
msgstr ""
@ -2462,6 +2462,12 @@ msgstr ""
msgid "Pre-emtive CRC errors (CRCP_P)"
msgstr ""
msgid "Prefer LTE"
msgstr ""
msgid "Prefer UMTS"
msgstr ""
msgid "Prefix Delegated"
msgstr ""
@ -2665,9 +2671,6 @@ msgstr "Přepojuji rozhraní"
msgid "References"
msgstr "Reference"
msgid "Regulatory Domain"
msgstr "Doména regulátora"
msgid "Relay"
msgstr "Přenos"
@ -2717,15 +2720,15 @@ msgstr "Vyžadováno u některých ISP, např. Charter s DocSIS 3"
msgid "Required. Base64-encoded private key for this interface."
msgstr ""
msgid "Required. Base64-encoded public key of peer."
msgstr ""
msgid ""
"Required. IP addresses and prefixes that this peer is allowed to use inside "
"the tunnel. Usually the peer's tunnel IP addresses and the networks the peer "
"routes through the tunnel."
msgstr ""
msgid "Required. Public key of peer."
msgstr ""
msgid ""
"Requires the 'full' version of wpad/hostapd and support from the wifi driver "
"<br />(as of Feb 2017: ath9k and ath10k, in LEDE also mwlwifi and mt76)"
@ -2871,9 +2874,6 @@ msgstr ""
msgid "Separate Clients"
msgstr "Oddělovat klienty"
msgid "Separate WDS"
msgstr "Oddělovat WDS"
msgid "Server Settings"
msgstr "Nastavení serveru"
@ -2897,6 +2897,11 @@ msgstr "Typ služby"
msgid "Services"
msgstr "Služby"
msgid ""
"Set interface properties regardless of the link carrier (If set, carrier "
"sense events do not invoke hotplug handlers)."
msgstr ""
#, fuzzy
msgid "Set up Time Synchronization"
msgstr "Nastavit synchronizaci času"
@ -2979,9 +2984,6 @@ msgstr "Zdroj"
msgid "Source routing"
msgstr ""
msgid "Specifies the button state to handle"
msgstr ""
msgid "Specifies the directory the device is attached to"
msgstr ""
@ -3037,9 +3039,6 @@ msgstr "Statické zápůjčky"
msgid "Static Routes"
msgstr "Statické trasy"
msgid "Static WDS"
msgstr "Statický WDS"
msgid "Static address"
msgstr "Statická adresa"
@ -3089,6 +3088,9 @@ msgid ""
"Switch %q has an unknown topology - the VLAN settings might not be accurate."
msgstr ""
msgid "Switch Port Mask"
msgstr ""
msgid "Switch VLAN"
msgstr ""
@ -3378,9 +3380,6 @@ msgstr ""
"V tomto seznamu vidíte přehled aktuálně běžících systémových procesů a "
"jejich stavy."
msgid "This page allows the configuration of custom button actions"
msgstr "Na této stránce si můžete nastavit vlastní události tlačítek"
msgid "This page gives an overview over currently active network connections."
msgstr "Tato stránka zobrazuje přehled aktivních síťových spojení."
@ -3454,9 +3453,6 @@ msgstr ""
msgid "Tunnel type"
msgstr ""
msgid "Turbo Mode"
msgstr "Turbo mód"
msgid "Tx-Power"
msgstr "Tx-Power"
@ -3570,9 +3566,9 @@ msgstr "Použít směrovací tabulku"
msgid ""
"Use the <em>Add</em> Button to add a new lease entry. The <em>MAC-Address</"
"em> indentifies the host, the <em>IPv4-Address</em> specifies to the fixed "
"address to use and the <em>Hostname</em> is assigned as symbolic name to the "
"requesting host. The optional <em>Lease time</em> can be used to set non-"
"em> indentifies the host, the <em>IPv4-Address</em> specifies the fixed "
"address to use, and the <em>Hostname</em> is assigned as a symbolic name to "
"the requesting host. The optional <em>Lease time</em> can be used to set non-"
"standard host-specific lease time, e.g. 12h, 3d or infinite."
msgstr ""
"Použitím tlačítka <em>Přidat</em> přidáte novou zápůjčku (lease). <em>MAC "
@ -3691,6 +3687,11 @@ msgstr "Varování"
msgid "Warning: There are unsaved changes that will get lost on reboot!"
msgstr ""
msgid ""
"When using a PSK, the PMK can be generated locally without inter AP "
"communications"
msgstr ""
msgid "Whether to create an IPv6 default route over the tunnel"
msgstr ""
@ -3736,22 +3737,12 @@ msgstr "Bezdrátová síť restartována"
msgid "Wireless shut down"
msgstr "Bezdrátová síť vypnuta"
msgid ""
"Complicates key reinstallation attacks on the client side by disabling "
"retransmission of EAPOL-Key frames that are used to install keys. This "
"workaround might cause interoperability issues and reduced robustness of key "
"negotiation especially in environments with heavy traffic load."
msgstr ""
msgid "Write received DNS requests to syslog"
msgstr "Zapisovat přijaté požadavky DNS do systemového logu"
msgid "Write system log to file"
msgstr ""
msgid "XR Support"
msgstr "Podpora XR"
msgid ""
"You can enable or disable installed init scripts here. Changes will applied "
"after a device reboot.<br /><strong>Warning: If you disable essential init "
@ -3761,10 +3752,6 @@ msgstr ""
"zařízení.<br /><strong>Varování: Pokud zakážete základní init skripty jako "
"\"network\", vaše zařízení se může stát nepřístupným!</strong>"
msgid ""
"You must enable Java Script in your browser or LuCI will not work properly."
msgstr ""
msgid ""
"You must enable JavaScript in your browser or LuCI will not work properly."
msgstr ""
@ -3882,6 +3869,9 @@ msgstr ""
msgid "overlay"
msgstr ""
msgid "random"
msgstr ""
msgid "relay mode"
msgstr ""
@ -3927,9 +3917,78 @@ msgstr "ano"
msgid "« Back"
msgstr "« Zpět"
#~ msgid "Action"
#~ msgstr "Akce"
#~ msgid "Buttons"
#~ msgstr "Tlačítka"
#~ msgid "Handler"
#~ msgstr "Handler"
#~ msgid "Maximum hold time"
#~ msgstr "Maximální doba držení"
#~ msgid "Minimum hold time"
#~ msgstr "Minimální čas zápůjčky"
#~ msgid "Path to executable which handles the button event"
#~ msgstr "Cesta ke spustitelnému souboru, který obsluhuje událost tlačítka"
#~ msgid "This page allows the configuration of custom button actions"
#~ msgstr "Na této stránce si můžete nastavit vlastní události tlačítek"
#~ msgid "Leasetime"
#~ msgstr "Doba trvání zápůjčky"
#~ msgid "AR Support"
#~ msgstr "Podpora AR"
#~ msgid "Atheros 802.11%s Wireless Controller"
#~ msgstr "Atheros 802.11%s bezdrátový ovladač"
#~ msgid "Background Scan"
#~ msgstr "Vyhledávat na pozadí"
#~ msgid "Compression"
#~ msgstr "Komprese"
#~ msgid "Disable HW-Beacon timer"
#~ msgstr "Zakázat HW-Beacon časovač"
#~ msgid "Do not send probe responses"
#~ msgstr "Neodpovídat na vyhledávání"
#~ msgid "Fast Frames"
#~ msgstr "Rychlé rámce"
#~ msgid "Maximum Rate"
#~ msgstr "Nejvyšší míra"
#~ msgid "Minimum Rate"
#~ msgstr "Nejnižší hodnota"
#~ msgid "Multicast Rate"
#~ msgstr "Hodnota vícesměrového vysílání"
#~ msgid "Outdoor Channels"
#~ msgstr "Venkovní kanály"
#~ msgid "Regulatory Domain"
#~ msgstr "Doména regulátora"
#~ msgid "Separate WDS"
#~ msgstr "Oddělovat WDS"
#~ msgid "Static WDS"
#~ msgstr "Statický WDS"
#~ msgid "Turbo Mode"
#~ msgstr "Turbo mód"
#~ msgid "XR Support"
#~ msgstr "Podpora XR"
#~ msgid "An additional network will be created if you leave this unchecked."
#~ msgstr "Pokud není zaškrtnuto, bude vytvořena dodatečná síť."

View file

@ -3,19 +3,22 @@ msgstr ""
"Project-Id-Version: \n"
"Report-Msgid-Bugs-To: \n"
"POT-Creation-Date: 2009-05-26 17:57+0200\n"
"PO-Revision-Date: 2017-10-17 22:57+0200\n"
"PO-Revision-Date: 2018-01-09 08:01+0100\n"
"Last-Translator: JoeSemler <josef.semler@gmail.com>\n"
"Language: de\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
"Content-Transfer-Encoding: 8bit\n"
"Plural-Forms: nplurals=2; plural=(n != 1);\n"
"X-Generator: Poedit 2.0.4\n"
"X-Generator: Poedit 1.8.11\n"
"Language-Team: \n"
msgid "%s is untagged in multiple VLANs!"
msgid "%.1f dB"
msgstr ""
msgid "%s is untagged in multiple VLANs!"
msgstr "%s darf nicht ohne VLAN-Tag in mehreren VLAN-Gruppen vorkommen!"
msgid "(%d minute window, %d second interval)"
msgstr "(%d Minuten Abschnitt, %d Sekunden Intervall)"
@ -65,7 +68,7 @@ msgid "6-octet identifier as a hex string - no colons"
msgstr "sechstellige hexadezimale ID (ohne Doppelpunkte)"
msgid "802.11r Fast Transition"
msgstr ""
msgstr "802.11r: Schnelle Client-Übergabe"
msgid "802.11w Association SA Query maximum timeout"
msgstr "Maximales Timeout für Quelladressprüfungen (SA Query)"
@ -130,6 +133,9 @@ msgstr "<abbr title=\"Light Emitting Diode\">LED</abbr> Name"
msgid "<abbr title=\"Media Access Control\">MAC</abbr>-Address"
msgstr "MAC-Adresse"
msgid "<abbr title=\"The DHCP Unique Identifier\">DUID</abbr>"
msgstr ""
msgid ""
"<abbr title=\"maximal\">Max.</abbr> <abbr title=\"Dynamic Host Configuration "
"Protocol\">DHCP</abbr> leases"
@ -154,6 +160,8 @@ msgid ""
"<br/>Note: you need to manually restart the cron service if the crontab file "
"was empty before editing."
msgstr ""
"<br/>Hinweis: Der Cron-Dienst muss manuell neu gestartet werden wenn die "
"Crontab-Datei vor der Bearbeitung leer war."
msgid "A43C + J43 + A43"
msgstr ""
@ -173,9 +181,6 @@ msgstr ""
msgid "APN"
msgstr "APN"
msgid "AR Support"
msgstr "AR-Unterstützung"
msgid "ARP retry threshold"
msgstr "Grenzwert für ARP-Auflösungsversuche"
@ -215,9 +220,6 @@ msgstr "Access Concentrator"
msgid "Access Point"
msgstr "Access Point"
msgid "Action"
msgstr "Aktion"
msgid "Actions"
msgstr "Aktionen"
@ -255,7 +257,7 @@ msgid "Additional Hosts files"
msgstr "Zusätzliche Hosts-Dateien"
msgid "Additional servers file"
msgstr ""
msgstr "Zusätzliche Nameserver-Datei"
msgid "Address"
msgstr "Adresse"
@ -270,7 +272,7 @@ msgid "Advanced Settings"
msgstr "Erweiterte Einstellungen"
msgid "Aggregate Transmit Power(ACTATP)"
msgstr ""
msgstr "Vollständige Sendeleistung (ACTATP)"
msgid "Alert"
msgstr "Alarm"
@ -291,6 +293,9 @@ msgstr "Erlaube Anmeldung per Passwort"
msgid "Allow all except listed"
msgstr "Alle außer gelistete erlauben"
msgid "Allow legacy 802.11b rates"
msgstr "Veraltete 802.11b Raten erlauben"
msgid "Allow listed only"
msgstr "Nur gelistete erlauben"
@ -321,6 +326,8 @@ msgid ""
"Also see <a href=\"https://www.sixxs.net/faq/connectivity/?faq=comparison"
"\">Tunneling Comparison</a> on SIXXS"
msgstr ""
"Siehe auch <a href=\"https://www.sixxs.net/faq/connectivity/?faq=comparison"
"\">Tunneling Comparison</a> bei SIXXS."
msgid "Always announce default router"
msgstr "Immer Defaultrouter ankündigen"
@ -426,9 +433,6 @@ msgstr ""
msgid "Associated Stations"
msgstr "Assoziierte Clients"
msgid "Atheros 802.11%s Wireless Controller"
msgstr "Atheros 802.11%s W-LAN Adapter"
msgid "Auth Group"
msgstr "Berechtigungsgruppe"
@ -504,9 +508,6 @@ msgstr "Zurück zur Übersicht"
msgid "Back to scan results"
msgstr "Zurück zu den Scan-Ergebnissen"
msgid "Background Scan"
msgstr "Hintergrundscan"
msgid "Backup / Flash Firmware"
msgstr "Backup / Firmware Update"
@ -580,9 +581,6 @@ msgstr ""
"Konfiguriert die distributionsspezifischen Paket-Repositories. Diese "
"Konfiguration wird bei Upgrades NICHT gesichert."
msgid "Buttons"
msgstr "Knöpfe"
msgid "CA certificate; if empty it will be saved after the first connection."
msgstr ""
"CA-Zertifikat (wird beim ersten Verbindungsaufbau automatisch gespeichert "
@ -615,7 +613,7 @@ msgstr "Kanal"
msgid "Check"
msgstr "Prüfen"
msgid "Check fileystems before mount"
msgid "Check filesystems before mount"
msgstr "Dateisysteme prüfen"
msgid "Check this option to delete the existing networks from this radio."
@ -684,8 +682,16 @@ msgstr "Befehl"
msgid "Common Configuration"
msgstr "Allgemeine Konfiguration"
msgid "Compression"
msgstr "Kompression"
msgid ""
"Complicates key reinstallation attacks on the client side by disabling "
"retransmission of EAPOL-Key frames that are used to install keys. This "
"workaround might cause interoperability issues and reduced robustness of key "
"negotiation especially in environments with heavy traffic load."
msgstr ""
"Deaktiviert bestimmte EAPOL-Key-Retransmissionen um Key-Reinstallation "
"(KRACK) Angriffe auf Client-Seite zu erschweren. Diese Abhilfemaßnahme kann "
"Kompatibilitätsprobleme verursachen und die Zuverlässigkeit von "
"Schlüsselerneuerungen in ausgelasteten Umgebungen verringern."
msgid "Configuration"
msgstr "Konfiguration"
@ -784,10 +790,10 @@ msgid "DHCPv6 client"
msgstr "DHCPv6 Client"
msgid "DHCPv6-Mode"
msgstr ""
msgstr "DHCPv6-Modus"
msgid "DHCPv6-Service"
msgstr ""
msgstr "DHCPv6-Dienst"
msgid "DNS"
msgstr "DNS"
@ -904,10 +910,7 @@ msgid "Disable DNS setup"
msgstr "DNS-Verarbeitung deaktivieren"
msgid "Disable Encryption"
msgstr ""
msgid "Disable HW-Beacon timer"
msgstr "Deaktiviere Hardware-Beacon Zeitgeber"
msgstr "Verschlüsselung deaktivieren"
msgid "Disabled"
msgstr "Deaktiviert"
@ -958,9 +961,6 @@ msgstr ""
msgid "Do not forward reverse lookups for local networks"
msgstr "Keine Rückwärtsauflösungen für lokale Netzwerke weiterleiten"
msgid "Do not send probe responses"
msgstr "Scan-Anforderungen nicht beantworten"
msgid "Domain required"
msgstr "Anfragen nur mit Domain"
@ -981,6 +981,9 @@ msgstr "Paket herunterladen und installieren"
msgid "Download backup"
msgstr "Backup herunterladen"
msgid "Downstream SNR offset"
msgstr ""
msgid "Dropbear Instance"
msgstr "Dropbear Instanz"
@ -1067,7 +1070,7 @@ msgstr "WPS-via-Knopfdruck aktivieren, erfordert WPA(2)-PSK"
#, fuzzy
msgid "Enable key reinstallation (KRACK) countermeasures"
msgstr "Key Reinstallation (KRACK) Gegenmaßnahmen aktivieren"
msgstr "Key Reinstallation (KRACK) Gegenmaßnahmen aktivieren "
msgid "Enable learning and aging"
msgstr "Learning und Aging aktivieren"
@ -1167,8 +1170,14 @@ msgstr "Externes Protokollserver Protokoll"
msgid "Extra SSH command options"
msgstr "Zusätzliche SSH-Kommando-Optionen"
msgid "Fast Frames"
msgstr "Schnelle Frames"
msgid "FT over DS"
msgstr ""
msgid "FT over the Air"
msgstr ""
msgid "FT protocol"
msgstr ""
msgid "File"
msgstr "Datei"
@ -1208,6 +1217,9 @@ msgstr "Fertigstellen"
msgid "Firewall"
msgstr "Firewall"
msgid "Firewall Mark"
msgstr "Firewall-Markierung"
msgid "Firewall Settings"
msgstr "Firewall Einstellungen"
@ -1255,6 +1267,9 @@ msgstr "Erzwinge TKIP"
msgid "Force TKIP and CCMP (AES)"
msgstr "Erzwinge TKIP und CCMP (AES)"
msgid "Force link"
msgstr "Erzwinge Verbindung"
msgid "Force use of NAT-T"
msgstr "Benutzung von NAT-T erzwingen"
@ -1270,6 +1285,9 @@ msgstr "Fehlerkorrektursekunden (FECS)"
msgid "Forward broadcast traffic"
msgstr "Broadcasts weiterleiten"
msgid "Forward mesh peer traffic"
msgstr "Mesh-Nachbar-Traffic weiterleiten"
msgid "Forwarding mode"
msgstr "Weiterleitungstyp"
@ -1316,6 +1334,9 @@ msgstr "Allgemeine Optionen für Opkg."
msgid "Generate Config"
msgstr "Konfiguration generieren"
msgid "Generate PMK locally"
msgstr "PMK lokal generieren"
msgid "Generate archive"
msgstr "Sicherung erstellen"
@ -1354,9 +1375,6 @@ msgstr "HE.net Benutzername"
msgid "HT mode (802.11n)"
msgstr "HT-Modus (802.11n)"
msgid "Handler"
msgstr "Handler"
msgid "Hang Up"
msgstr "Auflegen"
@ -1526,7 +1544,7 @@ msgstr "IPv6-über-IPv4 (6to4)"
msgid "Identity"
msgstr "Identität"
msgid "If checked, 1DES is enaled"
msgid "If checked, 1DES is enabled"
msgstr "Aktiviert die Benutzung von 1DES, wenn ausgewählt"
msgid "If checked, encryption is disabled"
@ -1671,6 +1689,9 @@ msgid "Invalid username and/or password! Please try again."
msgstr ""
"Ungültiger Benutzername oder ungültiges Passwort! Bitte erneut versuchen. "
msgid "Isolate Clients"
msgstr "Clients isolieren"
#, fuzzy
msgid ""
"It appears that you are trying to flash an image that does not fit into the "
@ -1679,9 +1700,6 @@ msgstr ""
"Das verwendete Image scheint zu groß für den internen Flash-Speicher zu "
"sein. Überprüfen Sie die Imagedatei!"
msgid "Java Script required!"
msgstr ""
msgid "JavaScript required!"
msgstr "JavaScript benötigt!"
@ -1803,6 +1821,12 @@ msgid ""
"from the R0KH that the STA used during the Initial Mobility Domain "
"Association."
msgstr ""
"Liste von R0KH-Bezeichnern innerhalb der selben Mobilitätsdomäne. <br /"
">Format: MAC-Adresse,NAS-Identifier,128 Bit Schlüssel in Hex-Notation. <br /"
">Diese Liste wird verwendet um R0KH-Bezeichner (NAS Identifier) einer Ziel-"
"MAC-Adresse zuzuordnen damit ein PMK-R1-Schlüssel von der R0KH angefordert "
"werden kann, mit der sich der Client wärend der anfänglichen "
"Mobilitätsdomänen-Assoziation verbunden hat."
msgid ""
"List of R1KHs in the same Mobility Domain. <br />Format: MAC-address,R1KH-ID "
@ -1811,6 +1835,12 @@ msgid ""
"R0KH. This is also the list of authorized R1KHs in the MD that can request "
"PMK-R1 keys."
msgstr ""
"Liste von R1KH-Bezeichnern innerhalb der selben Mobilitätsdomäne. <br /"
">Format: MAC-Adresse,R1KH-ID im MAC-Adress-Format,128 Bit Schlüssel in Hex-"
"Notation. <br />Diese Liste wird benutzt um einer R1KH-ID eine Ziel-MAC-"
"Adresse zuzuordnen wenn ein PMK-R1-Schlüssel von einer R0KH-Station "
"versendet wird. Die Liste dient auch zur Authorisierung von R1KH-IDs, welche "
"innerhalb der Mobilitätsdomain PMK-R1-Schlüssel anfordern dürfen."
msgid "List of SSH key files for auth"
msgstr "Liste der SSH Schlüssel zur Authentifikation"
@ -1954,9 +1984,6 @@ msgstr "Manuell"
msgid "Max. Attainable Data Rate (ATTNDR)"
msgstr "Maximal erreichbare Datenrate (ATTNDR)"
msgid "Maximum Rate"
msgstr "Höchstübertragungsrate"
msgid "Maximum allowed number of active DHCP leases"
msgstr "Maximal zulässige Anzahl von aktiven DHCP-Leases"
@ -1969,9 +1996,6 @@ msgstr "Maximal zulässige Größe von EDNS.0 UDP Paketen"
msgid "Maximum amount of seconds to wait for the modem to become ready"
msgstr "Maximale Zeit die gewartet wird bis das Modem bereit ist (in Sekunden)"
msgid "Maximum hold time"
msgstr "Maximalzeit zum Halten der Verbindung"
msgid ""
"Maximum length of the name is 15 characters including the automatic protocol/"
"bridge prefix (br-, 6in4-, pppoe- etc.)"
@ -1992,15 +2016,12 @@ msgstr "Hauptspeicher"
msgid "Memory usage (%)"
msgstr "Speichernutzung (%)"
msgid "Mesh Id"
msgstr "Mesh-ID"
msgid "Metric"
msgstr "Metrik"
msgid "Minimum Rate"
msgstr "Mindestübertragungsrate"
msgid "Minimum hold time"
msgstr "Minimalzeit zum Halten der Verbindung"
msgid "Mirror monitor port"
msgstr "Spiegel-Monitor-Port"
@ -2051,7 +2072,7 @@ msgstr ""
"Laufwerke und Speicher zur Verwendung eingebunden werden."
msgid "Mount filesystems not specifically configured"
msgstr ""
msgstr "Nicht explizit konfigurierte Dateisysteme einhängen"
msgid "Mount options"
msgstr "Mount-Optionen"
@ -2071,9 +2092,6 @@ msgstr "Nach unten schieben"
msgid "Move up"
msgstr "Nach oben schieben"
msgid "Multicast Rate"
msgstr "Multicastrate"
msgid "Multicast address"
msgstr "Multicast-Adresse"
@ -2086,6 +2104,9 @@ msgstr "NAT-T Modus"
msgid "NAT64 Prefix"
msgstr "NAT64 Präfix"
msgid "NCM"
msgstr ""
msgid "NDP-Proxy"
msgstr ""
@ -2279,9 +2300,11 @@ msgstr ""
"Optional, angeben wenn das SIXSS Konto mehr als einen Tunnel beinhaltet"
msgid ""
"Optional. Adds in an additional layer of symmetric-key cryptography for post-"
"quantum resistance."
"Optional. 32-bit mark for outgoing encrypted packets. Enter value in hex, "
"starting with <code>0x</code>."
msgstr ""
"Optional. 32-Bit-Marke für ausgehende, verschlüsselte Pakete. Wert in "
"hexadezimal mit führendem <code>0x</code> angeben."
msgid ""
"Optional. Allowed values: 'eui64', 'random', fixed value like '::1' or "
@ -2294,6 +2317,13 @@ msgstr ""
"Server empfangen wird, kombiniert das System das Suffix mit dem Präfix um "
"eine IPv6-Adresse (z.B. 'a:b:c:d::1') für die Schnittstelle zu formen."
msgid ""
"Optional. Base64-encoded preshared key. Adds in an additional layer of "
"symmetric-key cryptography for post-quantum resistance."
msgstr ""
"Optional. Base64-kodierter, vorhab ausgetauschter Schlüssel um eine weitere "
"Ebene an symmetrischer Verschlüsselung für erhöhte Sicherheit hinzuzufügen."
msgid "Optional. Create routes for Allowed IPs for this peer."
msgstr "Optional. Routen für erlaubte IP-Adressen erzeugen."
@ -2334,9 +2364,6 @@ msgstr "Aus"
msgid "Outbound:"
msgstr "Ausgehend:"
msgid "Outdoor Channels"
msgstr "Funkkanal für den Ausseneinsatz"
msgid "Output Interface"
msgstr "Ausgehende Schnittstelle"
@ -2458,9 +2485,6 @@ msgstr "Pfad zu Client-Zertifikat"
msgid "Path to Private Key"
msgstr "Pfad zum Privaten Schlüssel"
msgid "Path to executable which handles the button event"
msgstr "Ausführbare Datei welche das Schalter-Ereignis verarbeitet"
msgid "Path to inner CA-Certificate"
msgstr "Pfad zum inneren CA-Zertifikat"
@ -2521,6 +2545,12 @@ msgstr "Energiesparmodus"
msgid "Pre-emtive CRC errors (CRCP_P)"
msgstr "Präemptive CRC-Fehler (CRCP_P)"
msgid "Prefer LTE"
msgstr "LTE bevorzugen"
msgid "Prefer UMTS"
msgstr "UMTS bevorzugen"
msgid "Prefix Delegated"
msgstr "Delegiertes Präfix"
@ -2594,10 +2624,10 @@ msgid "Quality"
msgstr "Qualität"
msgid "R0 Key Lifetime"
msgstr ""
msgstr "R0-Schlüsselgültigkeit"
msgid "R1 Key Holder"
msgstr ""
msgstr "R1-Schlüsselinhaber"
msgid "RFC3947 NAT-T mode"
msgstr ""
@ -2727,9 +2757,6 @@ msgstr "Verbinde Schnittstelle neu"
msgid "References"
msgstr "Verweise"
msgid "Regulatory Domain"
msgstr "Geltungsbereich (Regulatory Domain)"
msgid "Relay"
msgstr "Relay"
@ -2779,6 +2806,10 @@ msgstr ""
msgid "Required. Base64-encoded private key for this interface."
msgstr "Benötigt. Base64-kodierter privater Schlüssel für diese Schnittstelle"
msgid "Required. Base64-encoded public key of peer."
msgstr ""
"Benötigt. Base64-kodierter öffentlicher Schlüssel für diese Schnittstelle"
msgid ""
"Required. IP addresses and prefixes that this peer is allowed to use inside "
"the tunnel. Usually the peer's tunnel IP addresses and the networks the peer "
@ -2788,9 +2819,6 @@ msgstr ""
"Tunnels nutzen darf. Entspricht üblicherweise der Tunnel-IP-Adresse des "
"Verbindungspartners und den Netzwerken, die dieser durch den Tunnel routet."
msgid "Required. Public key of peer."
msgstr ""
msgid ""
"Requires the 'full' version of wpad/hostapd and support from the wifi driver "
"<br />(as of Feb 2017: ath9k and ath10k, in LEDE also mwlwifi and mt76)"
@ -2941,9 +2969,6 @@ msgstr ""
msgid "Separate Clients"
msgstr "Clients isolieren"
msgid "Separate WDS"
msgstr "Separates WDS"
msgid "Server Settings"
msgstr "Servereinstellungen"
@ -2969,6 +2994,14 @@ msgstr "Service-Typ"
msgid "Services"
msgstr "Dienste"
msgid ""
"Set interface properties regardless of the link carrier (If set, carrier "
"sense events do not invoke hotplug handlers)."
msgstr ""
"Schnittstelleneigenschaften werden unabhängig vom Link gesetzt (ist die "
"Option ausgewählt, so werden die Hotplug-Skripte bei Änderung nicht "
"aufgerufen)"
#, fuzzy
msgid "Set up Time Synchronization"
msgstr "Zeitsynchronisierung einrichten"
@ -3052,9 +3085,6 @@ msgstr "Quelle"
msgid "Source routing"
msgstr "Quell-Routing"
msgid "Specifies the button state to handle"
msgstr "Gibt den zu behandelnden Tastenstatus an"
msgid "Specifies the directory the device is attached to"
msgstr "Nennt das Verzeichnis, an welches das Gerät angebunden ist"
@ -3116,9 +3146,6 @@ msgstr "Statische Einträge"
msgid "Static Routes"
msgstr "Statische Routen"
msgid "Static WDS"
msgstr "Statisches WDS"
msgid "Static address"
msgstr "Statische Adresse"
@ -3172,6 +3199,9 @@ msgstr ""
"Der Switch %q hat eine unbekannte Struktur, die VLAN Settings könnten "
"unpassend sein."
msgid "Switch Port Mask"
msgstr ""
msgid "Switch VLAN"
msgstr ""
@ -3219,7 +3249,7 @@ msgid "Target"
msgstr "Ziel"
msgid "Target network"
msgstr ""
msgstr "Zielnetzwerk"
msgid "Terminate"
msgstr "Beenden"
@ -3486,10 +3516,6 @@ msgstr ""
"Diese Tabelle gibt eine Übersicht über aktuell laufende Systemprozesse und "
"deren Status."
msgid "This page allows the configuration of custom button actions"
msgstr ""
"Diese Seite ermöglicht die Konfiguration benutzerdefinierter Tastenaktionen"
msgid "This page gives an overview over currently active network connections."
msgstr "Diese Seite gibt eine Übersicht über aktive Netzwerkverbindungen."
@ -3564,9 +3590,6 @@ msgstr "Tunnel-Setup-Server"
msgid "Tunnel type"
msgstr "Tunneltyp"
msgid "Turbo Mode"
msgstr "Turbo Modus"
msgid "Tx-Power"
msgstr "Sendestärke"
@ -3680,9 +3703,9 @@ msgstr "Benutze Routing-Tabelle"
msgid ""
"Use the <em>Add</em> Button to add a new lease entry. The <em>MAC-Address</"
"em> indentifies the host, the <em>IPv4-Address</em> specifies to the fixed "
"address to use and the <em>Hostname</em> is assigned as symbolic name to the "
"requesting host. The optional <em>Lease time</em> can be used to set non-"
"em> indentifies the host, the <em>IPv4-Address</em> specifies the fixed "
"address to use, and the <em>Hostname</em> is assigned as a symbolic name to "
"the requesting host. The optional <em>Lease time</em> can be used to set non-"
"standard host-specific lease time, e.g. 12h, 3d or infinite."
msgstr ""
"Die <em>Hinzufügen</em> Schaltfläche fügt einen neuen Lease-Eintrag hinzu. "
@ -3808,6 +3831,13 @@ msgstr ""
"Achtung: Es gibt ungespeicherte Änderungen die bei einem Neustart verloren "
"gehen!"
msgid ""
"When using a PSK, the PMK can be generated locally without inter AP "
"communications"
msgstr ""
"Wenn PSK in Verwendung ist, können PMK-Schlüssel lokal ohne Inter-Access-"
"Point-Kommunikation erzeugt werden."
msgid "Whether to create an IPv6 default route over the tunnel"
msgstr ""
"Gibt an, ob eine IPv6-Default-Route durch den Tunnel etabliert werden soll"
@ -3854,27 +3884,12 @@ msgstr "WLAN neu gestartet"
msgid "Wireless shut down"
msgstr "WLAN heruntergefahren"
#, fuzzy
msgid ""
"Complicates key reinstallation attacks on the client side by disabling "
"retransmission of EAPOL-Key frames that are used to install keys. This "
"workaround might cause interoperability issues and reduced robustness of key "
"negotiation especially in environments with heavy traffic load."
msgstr ""
"Deaktiviert bestimmte EAPOL-Key-Retransmissionen um Key-Reinstallation "
"(KRACK) Angriffe auf Client-Seite zu erschweren. Diese Abhilfemaßnahme kann "
"Kompatibilitätsprobleme verursachen und die Zuverlässigkeit von "
"Schlüsselerneuerungen in ausgelasteten Umgebungen verringern."
msgid "Write received DNS requests to syslog"
msgstr "Empfangene DNS-Anfragen in das Systemprotokoll schreiben"
msgid "Write system log to file"
msgstr "Systemprotokoll in Datei schreiben"
msgid "XR Support"
msgstr "XR-Unterstützung"
msgid ""
"You can enable or disable installed init scripts here. Changes will applied "
"after a device reboot.<br /><strong>Warning: If you disable essential init "
@ -3885,10 +3900,6 @@ msgstr ""
"><strong>Warnung: Wenn essentialle Startscripte wie \"network\" deaktiviert "
"werden könnte das Gerät unerreichbar werden!</strong>"
msgid ""
"You must enable Java Script in your browser or LuCI will not work properly."
msgstr ""
msgid ""
"You must enable JavaScript in your browser or LuCI will not work properly."
msgstr ""
@ -4005,6 +4016,9 @@ msgstr "offen"
msgid "overlay"
msgstr "Overlay"
msgid "random"
msgstr ""
msgid "relay mode"
msgstr "Relay-Modus"
@ -4050,47 +4064,31 @@ msgstr "ja"
msgid "« Back"
msgstr "« Zurück"
#~ msgid "Firewall Mark"
#~ msgstr "Firewall-Markierung"
#~ msgid "Action"
#~ msgstr "Aktion"
#~ msgid "Force link"
#~ msgstr "Erzwinge Verbindung"
#~ msgid "Buttons"
#~ msgstr "Knöpfe"
#~ msgid "Isolate Clients"
#~ msgstr "Clients isolieren"
#~ msgid "Handler"
#~ msgstr "Handler"
#~ msgid ""
#~ "Optional. 32-bit mark for outgoing encrypted packets. Enter value in hex, "
#~ "starting with <code>0x</code>."
#~ msgid "Maximum hold time"
#~ msgstr "Maximalzeit zum Halten der Verbindung"
#~ msgid "Minimum hold time"
#~ msgstr "Minimalzeit zum Halten der Verbindung"
#~ msgid "Path to executable which handles the button event"
#~ msgstr "Ausführbare Datei welche das Schalter-Ereignis verarbeitet"
#~ msgid "Specifies the button state to handle"
#~ msgstr "Gibt den zu behandelnden Tastenstatus an"
#~ msgid "This page allows the configuration of custom button actions"
#~ msgstr ""
#~ "Optional. 32-Bit-Marke für ausgehende, verschlüsselte Pakete. Wert in "
#~ "hexadezimal mit führendem <code>0x</code> angeben."
#~ msgid ""
#~ "Optional. Base64-encoded preshared key. Adds in an additional layer of "
#~ "symmetric-key cryptography for post-quantum resistance."
#~ msgstr ""
#~ "Optional. Base64-kodierter, vorhab ausgetauschter Schlüssel um eine "
#~ "weitere Ebene an symmetrischer Verschlüsselung für erhöhte Sicherheit "
#~ "hinzuzufügen."
#~ msgid "Prefer LTE"
#~ msgstr "LTE bevorzugen"
#~ msgid "Prefer UMTS"
#~ msgstr "UMTS bevorzugen"
#~ msgid "Required. Base64-encoded public key of peer."
#~ msgstr ""
#~ "Benötigt. Base64-kodierter öffentlicher Schlüssel für diese Schnittstelle"
#~ msgid ""
#~ "Set interface properties regardless of the link carrier (If set, carrier "
#~ "sense events do not invoke hotplug handlers)."
#~ msgstr ""
#~ "Schnittstelleneigenschaften werden unabhängig vom Link gesetzt (ist die "
#~ "Option ausgewählt, so werden die Hotplug-Skripte bei Änderung nicht "
#~ "aufgerufen)"
#~ "Diese Seite ermöglicht die Konfiguration benutzerdefinierter "
#~ "Tastenaktionen"
#~ msgid "Leasetime"
#~ msgstr "Laufzeit"
@ -4104,6 +4102,54 @@ msgstr "« Zurück"
#~ msgid "automatic"
#~ msgstr "automatisch"
#~ msgid "AR Support"
#~ msgstr "AR-Unterstützung"
#~ msgid "Atheros 802.11%s Wireless Controller"
#~ msgstr "Atheros 802.11%s W-LAN Adapter"
#~ msgid "Background Scan"
#~ msgstr "Hintergrundscan"
#~ msgid "Compression"
#~ msgstr "Kompression"
#~ msgid "Disable HW-Beacon timer"
#~ msgstr "Deaktiviere Hardware-Beacon Zeitgeber"
#~ msgid "Do not send probe responses"
#~ msgstr "Scan-Anforderungen nicht beantworten"
#~ msgid "Fast Frames"
#~ msgstr "Schnelle Frames"
#~ msgid "Maximum Rate"
#~ msgstr "Höchstübertragungsrate"
#~ msgid "Minimum Rate"
#~ msgstr "Mindestübertragungsrate"
#~ msgid "Multicast Rate"
#~ msgstr "Multicastrate"
#~ msgid "Outdoor Channels"
#~ msgstr "Funkkanal für den Ausseneinsatz"
#~ msgid "Regulatory Domain"
#~ msgstr "Geltungsbereich (Regulatory Domain)"
#~ msgid "Separate WDS"
#~ msgstr "Separates WDS"
#~ msgid "Static WDS"
#~ msgstr "Statisches WDS"
#~ msgid "Turbo Mode"
#~ msgstr "Turbo Modus"
#~ msgid "XR Support"
#~ msgstr "XR-Unterstützung"
#~ msgid "An additional network will be created if you leave this unchecked."
#~ msgstr ""
#~ "Erzeugt ein zusätzliches Netzwerk wenn diese Option nicht ausgewählt ist"

View file

@ -13,6 +13,9 @@ msgstr ""
"Plural-Forms: nplurals=2; plural=(n != 1);\n"
"X-Generator: Pootle 2.0.4\n"
msgid "%.1f dB"
msgstr ""
msgid "%s is untagged in multiple VLANs!"
msgstr ""
@ -132,6 +135,9 @@ msgstr "Όνομα <abbr title=\"Light Emitting Diode\">LED</abbr>"
msgid "<abbr title=\"Media Access Control\">MAC</abbr>-Address"
msgstr "Διεύθυνση <abbr title=\"Media Access Control\">MAC</abbr>"
msgid "<abbr title=\"The DHCP Unique Identifier\">DUID</abbr>"
msgstr ""
msgid ""
"<abbr title=\"maximal\">Max.</abbr> <abbr title=\"Dynamic Host Configuration "
"Protocol\">DHCP</abbr> leases"
@ -175,9 +181,6 @@ msgstr ""
msgid "APN"
msgstr "APN"
msgid "AR Support"
msgstr "Υποστήριξη AR"
msgid "ARP retry threshold"
msgstr "Όριο επαναδοκιμών ARP"
@ -217,9 +220,6 @@ msgstr "Συγκεντρωτής Πρόσβασης "
msgid "Access Point"
msgstr "Σημείο Πρόσβασης"
msgid "Action"
msgstr "Ενέργεια"
msgid "Actions"
msgstr "Ενέργειες"
@ -296,6 +296,9 @@ msgstr ""
msgid "Allow all except listed"
msgstr "Να επιτρέπονται όλες, εκτός από αυτές στη λίστα"
msgid "Allow legacy 802.11b rates"
msgstr ""
msgid "Allow listed only"
msgstr "Να επιτρέπονται μόνο αυτές στην λίστα"
@ -426,9 +429,6 @@ msgstr ""
msgid "Associated Stations"
msgstr "Συνδεδεμένοι Σταθμοί"
msgid "Atheros 802.11%s Wireless Controller"
msgstr ""
msgid "Auth Group"
msgstr ""
@ -504,9 +504,6 @@ msgstr "Πίσω προς επισκόπηση"
msgid "Back to scan results"
msgstr "Πίσω στα αποτελέσματα σάρωσης"
msgid "Background Scan"
msgstr "Σάρωση Παρασκηνίου"
msgid "Backup / Flash Firmware"
msgstr "Αντίγραφο ασφαλείας / Εγγραφή FLASH Υλικολογισμικό"
@ -577,9 +574,6 @@ msgid ""
"preserved in any sysupgrade."
msgstr ""
msgid "Buttons"
msgstr "Κουμπιά"
msgid "CA certificate; if empty it will be saved after the first connection."
msgstr ""
@ -610,7 +604,7 @@ msgstr "Κανάλι"
msgid "Check"
msgstr "Έλεγχος"
msgid "Check fileystems before mount"
msgid "Check filesystems before mount"
msgstr ""
msgid "Check this option to delete the existing networks from this radio."
@ -677,8 +671,12 @@ msgstr "Εντολή"
msgid "Common Configuration"
msgstr "Κοινή Παραμετροποίηση"
msgid "Compression"
msgstr "Συμπίεση"
msgid ""
"Complicates key reinstallation attacks on the client side by disabling "
"retransmission of EAPOL-Key frames that are used to install keys. This "
"workaround might cause interoperability issues and reduced robustness of key "
"negotiation especially in environments with heavy traffic load."
msgstr ""
msgid "Configuration"
msgstr "Παραμετροποίηση"
@ -899,9 +897,6 @@ msgstr "Απενεργοποίηση ρυθμίσεων DNS"
msgid "Disable Encryption"
msgstr ""
msgid "Disable HW-Beacon timer"
msgstr "Απενεργοποίηση χρονιστή HW-Beacon"
msgid "Disabled"
msgstr "Απενεργοποιημένο"
@ -950,9 +945,6 @@ msgstr ""
msgid "Do not forward reverse lookups for local networks"
msgstr ""
msgid "Do not send probe responses"
msgstr "Να μην στέλνονται απαντήσεις σε probes"
msgid "Domain required"
msgstr "Απαίτηση για όνομα τομέα"
@ -975,6 +967,9 @@ msgstr "Κατέβασμα και εγκατάσταση πακέτου"
msgid "Download backup"
msgstr "Κατέβασμα αντιγράφου ασφαλείας"
msgid "Downstream SNR offset"
msgstr ""
msgid "Dropbear Instance"
msgstr ""
@ -1158,8 +1153,14 @@ msgstr ""
msgid "Extra SSH command options"
msgstr ""
msgid "Fast Frames"
msgstr "Γρήγορα Πλαίσια"
msgid "FT over DS"
msgstr ""
msgid "FT over the Air"
msgstr ""
msgid "FT protocol"
msgstr ""
msgid "File"
msgstr "Αρχείο"
@ -1196,6 +1197,9 @@ msgstr "Τέλος"
msgid "Firewall"
msgstr "Τείχος Προστασίας"
msgid "Firewall Mark"
msgstr ""
msgid "Firewall Settings"
msgstr "Ρυθμίσεις Τείχους Προστασίας"
@ -1242,6 +1246,9 @@ msgstr "Επιβολή TKIP"
msgid "Force TKIP and CCMP (AES)"
msgstr "Επιβολή TKIP και CCMP (AES)"
msgid "Force link"
msgstr ""
msgid "Force use of NAT-T"
msgstr ""
@ -1257,6 +1264,9 @@ msgstr ""
msgid "Forward broadcast traffic"
msgstr "Προώθηση κίνησης broadcast"
msgid "Forward mesh peer traffic"
msgstr ""
msgid "Forwarding mode"
msgstr "Μέθοδος προώθησης"
@ -1301,6 +1311,9 @@ msgstr ""
msgid "Generate Config"
msgstr ""
msgid "Generate PMK locally"
msgstr ""
msgid "Generate archive"
msgstr ""
@ -1337,9 +1350,6 @@ msgstr ""
msgid "HT mode (802.11n)"
msgstr ""
msgid "Handler"
msgstr ""
msgid "Hang Up"
msgstr "Κρέμασμα"
@ -1509,7 +1519,7 @@ msgstr ""
msgid "Identity"
msgstr "Ταυτότητα"
msgid "If checked, 1DES is enaled"
msgid "If checked, 1DES is enabled"
msgstr ""
msgid "If checked, encryption is disabled"
@ -1649,6 +1659,9 @@ msgstr ""
msgid "Invalid username and/or password! Please try again."
msgstr "Άκυρο όνομα χρήστη και/ή κωδικός πρόσβασης! Παρακαλώ προσπαθήστε ξανά."
msgid "Isolate Clients"
msgstr ""
#, fuzzy
msgid ""
"It appears that you are trying to flash an image that does not fit into the "
@ -1657,9 +1670,6 @@ msgstr ""
"Φαίνεται πως προσπαθείτε να φλασάρετε μια εικόνα που δεν χωράει στην μνήμη "
"flash, παρακαλώ επιβεβαιώστε το αρχείο εικόνας!"
msgid "Java Script required!"
msgstr ""
msgid "JavaScript required!"
msgstr "Απαιτείται JavaScript!"
@ -1918,9 +1928,6 @@ msgstr ""
msgid "Max. Attainable Data Rate (ATTNDR)"
msgstr ""
msgid "Maximum Rate"
msgstr "Μέγιστος Ρυθμός"
msgid "Maximum allowed number of active DHCP leases"
msgstr "Μέγιστος επιτρεπόμενος αριθμός ενεργών DHCP leases"
@ -1934,9 +1941,6 @@ msgid "Maximum amount of seconds to wait for the modem to become ready"
msgstr ""
"Μέγιστος αριθμός δευτερολέπτων αναμονής ώστε το modem να καταστεί έτοιμο"
msgid "Maximum hold time"
msgstr "Μέγιστος χρόνος κράτησης"
msgid ""
"Maximum length of the name is 15 characters including the automatic protocol/"
"bridge prefix (br-, 6in4-, pppoe- etc.)"
@ -1954,15 +1958,12 @@ msgstr "Μνήμη"
msgid "Memory usage (%)"
msgstr "Χρήση Μνήμης (%)"
msgid "Mesh Id"
msgstr ""
msgid "Metric"
msgstr "Μέτρο"
msgid "Minimum Rate"
msgstr "Ελάχιστος Ρυθμός"
msgid "Minimum hold time"
msgstr "Ελάχιστος χρόνος κράτησης"
msgid "Mirror monitor port"
msgstr ""
@ -2034,9 +2035,6 @@ msgstr "Μετακίνηση κάτω"
msgid "Move up"
msgstr "Μετακίνηση πάνω"
msgid "Multicast Rate"
msgstr "Ρυθμός Multicast"
msgid "Multicast address"
msgstr "Διεύθυνση Multicast"
@ -2049,6 +2047,9 @@ msgstr ""
msgid "NAT64 Prefix"
msgstr ""
msgid "NCM"
msgstr ""
msgid "NDP-Proxy"
msgstr ""
@ -2239,8 +2240,8 @@ msgid "Optional, use when the SIXXS account has more than one tunnel"
msgstr ""
msgid ""
"Optional. Adds in an additional layer of symmetric-key cryptography for post-"
"quantum resistance."
"Optional. 32-bit mark for outgoing encrypted packets. Enter value in hex, "
"starting with <code>0x</code>."
msgstr ""
msgid ""
@ -2250,6 +2251,11 @@ msgid ""
"for the interface."
msgstr ""
msgid ""
"Optional. Base64-encoded preshared key. Adds in an additional layer of "
"symmetric-key cryptography for post-quantum resistance."
msgstr ""
msgid "Optional. Create routes for Allowed IPs for this peer."
msgstr ""
@ -2284,9 +2290,6 @@ msgstr "Έξοδος"
msgid "Outbound:"
msgstr ""
msgid "Outdoor Channels"
msgstr "Εξωτερικά Κανάλια"
msgid "Output Interface"
msgstr ""
@ -2406,9 +2409,6 @@ msgstr "Διαδρομή για Πιστοποιητικό-Πελάτη"
msgid "Path to Private Key"
msgstr "Διαδρομή για Ιδιωτικό Κλειδί"
msgid "Path to executable which handles the button event"
msgstr "Διαδρομή για το εκτελέσιμο που χειρίζεται το γεγονός του κουμπιού"
msgid "Path to inner CA-Certificate"
msgstr ""
@ -2469,6 +2469,12 @@ msgstr ""
msgid "Pre-emtive CRC errors (CRCP_P)"
msgstr ""
msgid "Prefer LTE"
msgstr ""
msgid "Prefer UMTS"
msgstr ""
msgid "Prefix Delegated"
msgstr ""
@ -2658,9 +2664,6 @@ msgstr "Επανασύνδεση της διεπαφής"
msgid "References"
msgstr "Αναφορές"
msgid "Regulatory Domain"
msgstr "Ρυθμιστική Περιοχή"
msgid "Relay"
msgstr ""
@ -2709,15 +2712,15 @@ msgstr ""
msgid "Required. Base64-encoded private key for this interface."
msgstr ""
msgid "Required. Base64-encoded public key of peer."
msgstr ""
msgid ""
"Required. IP addresses and prefixes that this peer is allowed to use inside "
"the tunnel. Usually the peer's tunnel IP addresses and the networks the peer "
"routes through the tunnel."
msgstr ""
msgid "Required. Public key of peer."
msgstr ""
msgid ""
"Requires the 'full' version of wpad/hostapd and support from the wifi driver "
"<br />(as of Feb 2017: ath9k and ath10k, in LEDE also mwlwifi and mt76)"
@ -2864,9 +2867,6 @@ msgstr ""
msgid "Separate Clients"
msgstr "Απομόνωση Πελατών"
msgid "Separate WDS"
msgstr "Ξεχωριστά WDS"
msgid "Server Settings"
msgstr "Ρυθμίσεις Εξυπηρετητή"
@ -2890,6 +2890,11 @@ msgstr "Είδος Υπηρεσίας"
msgid "Services"
msgstr "Υπηρεσίες"
msgid ""
"Set interface properties regardless of the link carrier (If set, carrier "
"sense events do not invoke hotplug handlers)."
msgstr ""
msgid "Set up Time Synchronization"
msgstr ""
@ -2968,9 +2973,6 @@ msgstr "Πηγή"
msgid "Source routing"
msgstr ""
msgid "Specifies the button state to handle"
msgstr ""
msgid "Specifies the directory the device is attached to"
msgstr ""
@ -3026,9 +3028,6 @@ msgstr "Στατικά Leases"
msgid "Static Routes"
msgstr "Στατικές Διαδρομές"
msgid "Static WDS"
msgstr ""
msgid "Static address"
msgstr "Στατική διεύθυνση"
@ -3075,6 +3074,9 @@ msgid ""
"Switch %q has an unknown topology - the VLAN settings might not be accurate."
msgstr ""
msgid "Switch Port Mask"
msgstr ""
msgid "Switch VLAN"
msgstr ""
@ -3338,9 +3340,6 @@ msgstr ""
"Αυτή η λίστα δίνει μία εικόνα των τρέχοντων εργασιών συστήματος και της "
"κατάστασής τους."
msgid "This page allows the configuration of custom button actions"
msgstr ""
msgid "This page gives an overview over currently active network connections."
msgstr ""
"Αυτή η σελίδα δίνει μία εικόνα για τις τρέχουσες ενεργές συνδέσεις δικτύου."
@ -3413,9 +3412,6 @@ msgstr ""
msgid "Tunnel type"
msgstr ""
msgid "Turbo Mode"
msgstr "Λειτουργία Turbo"
msgid "Tx-Power"
msgstr "Ισχύς Εκπομπής"
@ -3526,9 +3522,9 @@ msgstr ""
msgid ""
"Use the <em>Add</em> Button to add a new lease entry. The <em>MAC-Address</"
"em> indentifies the host, the <em>IPv4-Address</em> specifies to the fixed "
"address to use and the <em>Hostname</em> is assigned as symbolic name to the "
"requesting host. The optional <em>Lease time</em> can be used to set non-"
"em> indentifies the host, the <em>IPv4-Address</em> specifies the fixed "
"address to use, and the <em>Hostname</em> is assigned as a symbolic name to "
"the requesting host. The optional <em>Lease time</em> can be used to set non-"
"standard host-specific lease time, e.g. 12h, 3d or infinite."
msgstr ""
@ -3642,6 +3638,11 @@ msgstr "Προειδοποίηση"
msgid "Warning: There are unsaved changes that will get lost on reboot!"
msgstr ""
msgid ""
"When using a PSK, the PMK can be generated locally without inter AP "
"communications"
msgstr ""
msgid "Whether to create an IPv6 default route over the tunnel"
msgstr ""
@ -3687,22 +3688,12 @@ msgstr "Το ασύρματο δίκτυο επανεκκινήθηκε"
msgid "Wireless shut down"
msgstr "Το ασύρματο δίκτυο τερματίστηκε"
msgid ""
"Complicates key reinstallation attacks on the client side by disabling "
"retransmission of EAPOL-Key frames that are used to install keys. This "
"workaround might cause interoperability issues and reduced robustness of key "
"negotiation especially in environments with heavy traffic load."
msgstr ""
msgid "Write received DNS requests to syslog"
msgstr "Καταγραφή των ληφθέντων DNS αιτήσεων στο syslog"
msgid "Write system log to file"
msgstr ""
msgid "XR Support"
msgstr "Υποστήριξη XR"
msgid ""
"You can enable or disable installed init scripts here. Changes will applied "
"after a device reboot.<br /><strong>Warning: If you disable essential init "
@ -3713,10 +3704,6 @@ msgstr ""
"><strong>Προειδοποίηση: Αν απενεργοποιήσετε απαραίτητα σενάρια εκκίνησης "
"όπως το \"network\", η συσκευή σας μπορεί να καταστεί μη-προσβάσιμη!</strong>"
msgid ""
"You must enable Java Script in your browser or LuCI will not work properly."
msgstr ""
msgid ""
"You must enable JavaScript in your browser or LuCI will not work properly."
msgstr ""
@ -3834,6 +3821,9 @@ msgstr ""
msgid "overlay"
msgstr ""
msgid "random"
msgstr ""
msgid "relay mode"
msgstr ""
@ -3879,6 +3869,21 @@ msgstr "ναι"
msgid "« Back"
msgstr "« Πίσω"
#~ msgid "Action"
#~ msgstr "Ενέργεια"
#~ msgid "Buttons"
#~ msgstr "Κουμπιά"
#~ msgid "Maximum hold time"
#~ msgstr "Μέγιστος χρόνος κράτησης"
#~ msgid "Minimum hold time"
#~ msgstr "Ελάχιστος χρόνος κράτησης"
#~ msgid "Path to executable which handles the button event"
#~ msgstr "Διαδρομή για το εκτελέσιμο που χειρίζεται το γεγονός του κουμπιού"
#~ msgid "Leasetime"
#~ msgstr "Χρόνος Lease"
@ -3886,6 +3891,48 @@ msgstr "« Πίσω"
#~ msgid "automatic"
#~ msgstr "στατικό"
#~ msgid "AR Support"
#~ msgstr "Υποστήριξη AR"
#~ msgid "Background Scan"
#~ msgstr "Σάρωση Παρασκηνίου"
#~ msgid "Compression"
#~ msgstr "Συμπίεση"
#~ msgid "Disable HW-Beacon timer"
#~ msgstr "Απενεργοποίηση χρονιστή HW-Beacon"
#~ msgid "Do not send probe responses"
#~ msgstr "Να μην στέλνονται απαντήσεις σε probes"
#~ msgid "Fast Frames"
#~ msgstr "Γρήγορα Πλαίσια"
#~ msgid "Maximum Rate"
#~ msgstr "Μέγιστος Ρυθμός"
#~ msgid "Minimum Rate"
#~ msgstr "Ελάχιστος Ρυθμός"
#~ msgid "Multicast Rate"
#~ msgstr "Ρυθμός Multicast"
#~ msgid "Outdoor Channels"
#~ msgstr "Εξωτερικά Κανάλια"
#~ msgid "Regulatory Domain"
#~ msgstr "Ρυθμιστική Περιοχή"
#~ msgid "Separate WDS"
#~ msgstr "Ξεχωριστά WDS"
#~ msgid "Turbo Mode"
#~ msgstr "Λειτουργία Turbo"
#~ msgid "XR Support"
#~ msgstr "Υποστήριξη XR"
#~ msgid "An additional network will be created if you leave this unchecked."
#~ msgstr "Ένα επιπλέον δίκτυο θα δημιουργηθεί εάν αυτό αφεθεί κενό"

View file

@ -13,6 +13,9 @@ msgstr ""
"Plural-Forms: nplurals=2; plural=(n != 1);\n"
"X-Generator: Pootle 2.0.4\n"
msgid "%.1f dB"
msgstr ""
msgid "%s is untagged in multiple VLANs!"
msgstr ""
@ -132,6 +135,9 @@ msgstr "<abbr title=\"Light Emitting Diode\">LED</abbr> Name"
msgid "<abbr title=\"Media Access Control\">MAC</abbr>-Address"
msgstr "<abbr title=\"Media Access Control\">MAC</abbr>-Address"
msgid "<abbr title=\"The DHCP Unique Identifier\">DUID</abbr>"
msgstr ""
msgid ""
"<abbr title=\"maximal\">Max.</abbr> <abbr title=\"Dynamic Host Configuration "
"Protocol\">DHCP</abbr> leases"
@ -175,9 +181,6 @@ msgstr ""
msgid "APN"
msgstr "APN"
msgid "AR Support"
msgstr "AR Support"
msgid "ARP retry threshold"
msgstr "ARP retry threshold"
@ -217,9 +220,6 @@ msgstr "Access Concentrator"
msgid "Access Point"
msgstr "Access Point"
msgid "Action"
msgstr "Action"
msgid "Actions"
msgstr "Actions"
@ -291,6 +291,9 @@ msgstr "Allow <abbr title=\"Secure Shell\">SSH</abbr> password authentication"
msgid "Allow all except listed"
msgstr "Allow all except listed"
msgid "Allow legacy 802.11b rates"
msgstr ""
msgid "Allow listed only"
msgstr "Allow listed only"
@ -417,9 +420,6 @@ msgstr ""
msgid "Associated Stations"
msgstr "Associated Stations"
msgid "Atheros 802.11%s Wireless Controller"
msgstr ""
msgid "Auth Group"
msgstr ""
@ -495,9 +495,6 @@ msgstr "Back to overview"
msgid "Back to scan results"
msgstr "Back to scan results"
msgid "Background Scan"
msgstr "Background Scan"
msgid "Backup / Flash Firmware"
msgstr "Backup / Flash Firmware"
@ -566,9 +563,6 @@ msgid ""
"preserved in any sysupgrade."
msgstr ""
msgid "Buttons"
msgstr "Buttons"
msgid "CA certificate; if empty it will be saved after the first connection."
msgstr ""
@ -599,7 +593,7 @@ msgstr "Channel"
msgid "Check"
msgstr "Check"
msgid "Check fileystems before mount"
msgid "Check filesystems before mount"
msgstr ""
msgid "Check this option to delete the existing networks from this radio."
@ -664,8 +658,12 @@ msgstr "Command"
msgid "Common Configuration"
msgstr "Common Configuration"
msgid "Compression"
msgstr "Compression"
msgid ""
"Complicates key reinstallation attacks on the client side by disabling "
"retransmission of EAPOL-Key frames that are used to install keys. This "
"workaround might cause interoperability issues and reduced robustness of key "
"negotiation especially in environments with heavy traffic load."
msgstr ""
msgid "Configuration"
msgstr "Configuration"
@ -885,9 +883,6 @@ msgstr ""
msgid "Disable Encryption"
msgstr ""
msgid "Disable HW-Beacon timer"
msgstr "Disable HW-Beacon timer"
msgid "Disabled"
msgstr "Disabled"
@ -932,9 +927,6 @@ msgstr ""
msgid "Do not forward reverse lookups for local networks"
msgstr ""
msgid "Do not send probe responses"
msgstr "Do not send probe responses"
msgid "Domain required"
msgstr "Domain required"
@ -957,6 +949,9 @@ msgstr "Download and install package"
msgid "Download backup"
msgstr ""
msgid "Downstream SNR offset"
msgstr ""
msgid "Dropbear Instance"
msgstr ""
@ -1134,8 +1129,14 @@ msgstr ""
msgid "Extra SSH command options"
msgstr ""
msgid "Fast Frames"
msgstr "Fast Frames"
msgid "FT over DS"
msgstr ""
msgid "FT over the Air"
msgstr ""
msgid "FT protocol"
msgstr ""
msgid "File"
msgstr ""
@ -1172,6 +1173,9 @@ msgstr ""
msgid "Firewall"
msgstr "Firewall"
msgid "Firewall Mark"
msgstr ""
msgid "Firewall Settings"
msgstr "Firewall Settings"
@ -1217,6 +1221,9 @@ msgstr ""
msgid "Force TKIP and CCMP (AES)"
msgstr ""
msgid "Force link"
msgstr ""
msgid "Force use of NAT-T"
msgstr ""
@ -1232,6 +1239,9 @@ msgstr ""
msgid "Forward broadcast traffic"
msgstr ""
msgid "Forward mesh peer traffic"
msgstr ""
msgid "Forwarding mode"
msgstr ""
@ -1276,6 +1286,9 @@ msgstr ""
msgid "Generate Config"
msgstr ""
msgid "Generate PMK locally"
msgstr ""
msgid "Generate archive"
msgstr ""
@ -1312,9 +1325,6 @@ msgstr ""
msgid "HT mode (802.11n)"
msgstr ""
msgid "Handler"
msgstr "Handler"
msgid "Hang Up"
msgstr "Hang Up"
@ -1483,7 +1493,7 @@ msgstr ""
msgid "Identity"
msgstr "Identity"
msgid "If checked, 1DES is enaled"
msgid "If checked, 1DES is enabled"
msgstr ""
msgid "If checked, encryption is disabled"
@ -1618,6 +1628,9 @@ msgstr ""
msgid "Invalid username and/or password! Please try again."
msgstr "Invalid username and/or password! Please try again."
msgid "Isolate Clients"
msgstr ""
#, fuzzy
msgid ""
"It appears that you are trying to flash an image that does not fit into the "
@ -1626,9 +1639,6 @@ msgstr ""
"It appears that you try to flash an image that does not fit into the flash "
"memory, please verify the image file!"
msgid "Java Script required!"
msgstr ""
msgid "JavaScript required!"
msgstr ""
@ -1887,9 +1897,6 @@ msgstr ""
msgid "Max. Attainable Data Rate (ATTNDR)"
msgstr ""
msgid "Maximum Rate"
msgstr "Maximum Rate"
msgid "Maximum allowed number of active DHCP leases"
msgstr ""
@ -1902,9 +1909,6 @@ msgstr ""
msgid "Maximum amount of seconds to wait for the modem to become ready"
msgstr ""
msgid "Maximum hold time"
msgstr "Maximum hold time"
msgid ""
"Maximum length of the name is 15 characters including the automatic protocol/"
"bridge prefix (br-, 6in4-, pppoe- etc.)"
@ -1922,15 +1926,12 @@ msgstr "Memory"
msgid "Memory usage (%)"
msgstr "Memory usage (%)"
msgid "Mesh Id"
msgstr ""
msgid "Metric"
msgstr "Metric"
msgid "Minimum Rate"
msgstr "Minimum Rate"
msgid "Minimum hold time"
msgstr "Minimum hold time"
msgid "Mirror monitor port"
msgstr ""
@ -2001,9 +2002,6 @@ msgstr ""
msgid "Move up"
msgstr ""
msgid "Multicast Rate"
msgstr "Multicast Rate"
msgid "Multicast address"
msgstr ""
@ -2016,6 +2014,9 @@ msgstr ""
msgid "NAT64 Prefix"
msgstr ""
msgid "NCM"
msgstr ""
msgid "NDP-Proxy"
msgstr ""
@ -2206,8 +2207,8 @@ msgid "Optional, use when the SIXXS account has more than one tunnel"
msgstr ""
msgid ""
"Optional. Adds in an additional layer of symmetric-key cryptography for post-"
"quantum resistance."
"Optional. 32-bit mark for outgoing encrypted packets. Enter value in hex, "
"starting with <code>0x</code>."
msgstr ""
msgid ""
@ -2217,6 +2218,11 @@ msgid ""
"for the interface."
msgstr ""
msgid ""
"Optional. Base64-encoded preshared key. Adds in an additional layer of "
"symmetric-key cryptography for post-quantum resistance."
msgstr ""
msgid "Optional. Create routes for Allowed IPs for this peer."
msgstr ""
@ -2251,9 +2257,6 @@ msgstr "Out"
msgid "Outbound:"
msgstr ""
msgid "Outdoor Channels"
msgstr "Outdoor Channels"
msgid "Output Interface"
msgstr ""
@ -2373,9 +2376,6 @@ msgstr ""
msgid "Path to Private Key"
msgstr "Path to Private Key"
msgid "Path to executable which handles the button event"
msgstr ""
msgid "Path to inner CA-Certificate"
msgstr ""
@ -2436,6 +2436,12 @@ msgstr ""
msgid "Pre-emtive CRC errors (CRCP_P)"
msgstr ""
msgid "Prefer LTE"
msgstr ""
msgid "Prefer UMTS"
msgstr ""
msgid "Prefix Delegated"
msgstr ""
@ -2624,9 +2630,6 @@ msgstr ""
msgid "References"
msgstr "References"
msgid "Regulatory Domain"
msgstr "Regulatory Domain"
msgid "Relay"
msgstr ""
@ -2675,15 +2678,15 @@ msgstr ""
msgid "Required. Base64-encoded private key for this interface."
msgstr ""
msgid "Required. Base64-encoded public key of peer."
msgstr ""
msgid ""
"Required. IP addresses and prefixes that this peer is allowed to use inside "
"the tunnel. Usually the peer's tunnel IP addresses and the networks the peer "
"routes through the tunnel."
msgstr ""
msgid "Required. Public key of peer."
msgstr ""
msgid ""
"Requires the 'full' version of wpad/hostapd and support from the wifi driver "
"<br />(as of Feb 2017: ath9k and ath10k, in LEDE also mwlwifi and mt76)"
@ -2828,9 +2831,6 @@ msgstr ""
msgid "Separate Clients"
msgstr "Separate Clients"
msgid "Separate WDS"
msgstr "Separate WDS"
msgid "Server Settings"
msgstr ""
@ -2854,6 +2854,11 @@ msgstr ""
msgid "Services"
msgstr "Services"
msgid ""
"Set interface properties regardless of the link carrier (If set, carrier "
"sense events do not invoke hotplug handlers)."
msgstr ""
msgid "Set up Time Synchronization"
msgstr ""
@ -2932,9 +2937,6 @@ msgstr "Source"
msgid "Source routing"
msgstr ""
msgid "Specifies the button state to handle"
msgstr "Specifies the button state to handle"
msgid "Specifies the directory the device is attached to"
msgstr ""
@ -2988,9 +2990,6 @@ msgstr "Static Leases"
msgid "Static Routes"
msgstr "Static Routes"
msgid "Static WDS"
msgstr ""
msgid "Static address"
msgstr ""
@ -3037,6 +3036,9 @@ msgid ""
"Switch %q has an unknown topology - the VLAN settings might not be accurate."
msgstr ""
msgid "Switch Port Mask"
msgstr ""
msgid "Switch VLAN"
msgstr ""
@ -3296,9 +3298,6 @@ msgstr ""
"This list gives an overview over currently running system processes and "
"their status."
msgid "This page allows the configuration of custom button actions"
msgstr ""
msgid "This page gives an overview over currently active network connections."
msgstr "This page gives an overview over currently active network connections."
@ -3370,9 +3369,6 @@ msgstr ""
msgid "Tunnel type"
msgstr ""
msgid "Turbo Mode"
msgstr "Turbo Mode"
msgid "Tx-Power"
msgstr ""
@ -3483,9 +3479,9 @@ msgstr ""
msgid ""
"Use the <em>Add</em> Button to add a new lease entry. The <em>MAC-Address</"
"em> indentifies the host, the <em>IPv4-Address</em> specifies to the fixed "
"address to use and the <em>Hostname</em> is assigned as symbolic name to the "
"requesting host. The optional <em>Lease time</em> can be used to set non-"
"em> indentifies the host, the <em>IPv4-Address</em> specifies the fixed "
"address to use, and the <em>Hostname</em> is assigned as a symbolic name to "
"the requesting host. The optional <em>Lease time</em> can be used to set non-"
"standard host-specific lease time, e.g. 12h, 3d or infinite."
msgstr ""
@ -3601,6 +3597,11 @@ msgstr ""
msgid "Warning: There are unsaved changes that will get lost on reboot!"
msgstr ""
msgid ""
"When using a PSK, the PMK can be generated locally without inter AP "
"communications"
msgstr ""
msgid "Whether to create an IPv6 default route over the tunnel"
msgstr ""
@ -3646,22 +3647,12 @@ msgstr ""
msgid "Wireless shut down"
msgstr ""
msgid ""
"Complicates key reinstallation attacks on the client side by disabling "
"retransmission of EAPOL-Key frames that are used to install keys. This "
"workaround might cause interoperability issues and reduced robustness of key "
"negotiation especially in environments with heavy traffic load."
msgstr ""
msgid "Write received DNS requests to syslog"
msgstr ""
msgid "Write system log to file"
msgstr ""
msgid "XR Support"
msgstr "XR Support"
msgid ""
"You can enable or disable installed init scripts here. Changes will applied "
"after a device reboot.<br /><strong>Warning: If you disable essential init "
@ -3671,10 +3662,6 @@ msgstr ""
"after a device reboot.<br /><strong>Warning: If you disable essential init "
"scripts like \"network\", your device might become inaccessible!</strong>"
msgid ""
"You must enable Java Script in your browser or LuCI will not work properly."
msgstr ""
msgid ""
"You must enable JavaScript in your browser or LuCI will not work properly."
msgstr ""
@ -3791,6 +3778,9 @@ msgstr ""
msgid "overlay"
msgstr ""
msgid "random"
msgstr ""
msgid "relay mode"
msgstr ""
@ -3836,12 +3826,72 @@ msgstr ""
msgid "« Back"
msgstr "« Back"
#~ msgid "Action"
#~ msgstr "Action"
#~ msgid "Buttons"
#~ msgstr "Buttons"
#~ msgid "Handler"
#~ msgstr "Handler"
#~ msgid "Maximum hold time"
#~ msgstr "Maximum hold time"
#~ msgid "Minimum hold time"
#~ msgstr "Minimum hold time"
#~ msgid "Specifies the button state to handle"
#~ msgstr "Specifies the button state to handle"
#~ msgid "Leasetime"
#~ msgstr "Leasetime"
#~ msgid "automatic"
#~ msgstr "automatic"
#~ msgid "AR Support"
#~ msgstr "AR Support"
#~ msgid "Background Scan"
#~ msgstr "Background Scan"
#~ msgid "Compression"
#~ msgstr "Compression"
#~ msgid "Disable HW-Beacon timer"
#~ msgstr "Disable HW-Beacon timer"
#~ msgid "Do not send probe responses"
#~ msgstr "Do not send probe responses"
#~ msgid "Fast Frames"
#~ msgstr "Fast Frames"
#~ msgid "Maximum Rate"
#~ msgstr "Maximum Rate"
#~ msgid "Minimum Rate"
#~ msgstr "Minimum Rate"
#~ msgid "Multicast Rate"
#~ msgstr "Multicast Rate"
#~ msgid "Outdoor Channels"
#~ msgstr "Outdoor Channels"
#~ msgid "Regulatory Domain"
#~ msgstr "Regulatory Domain"
#~ msgid "Separate WDS"
#~ msgstr "Separate WDS"
#~ msgid "Turbo Mode"
#~ msgstr "Turbo Mode"
#~ msgid "XR Support"
#~ msgstr "XR Support"
#~ msgid "An additional network will be created if you leave this unchecked."
#~ msgstr "An additional network will be created if you leave this unchecked."

View file

@ -13,6 +13,9 @@ msgstr ""
"Plural-Forms: nplurals=2; plural=(n != 1);\n"
"X-Generator: Pootle 2.0.6\n"
msgid "%.1f dB"
msgstr ""
msgid "%s is untagged in multiple VLANs!"
msgstr ""
@ -136,6 +139,9 @@ msgstr "Nombre del <abbr title=\"Light Emitting Diode\">LED</abbr>"
msgid "<abbr title=\"Media Access Control\">MAC</abbr>-Address"
msgstr "Dirección <abbr title=\"Media Access Control\">MAC</abbr>"
msgid "<abbr title=\"The DHCP Unique Identifier\">DUID</abbr>"
msgstr ""
msgid ""
"<abbr title=\"maximal\">Max.</abbr> <abbr title=\"Dynamic Host Configuration "
"Protocol\">DHCP</abbr> leases"
@ -177,9 +183,6 @@ msgstr ""
msgid "APN"
msgstr "APN"
msgid "AR Support"
msgstr "Soporte a AR"
msgid "ARP retry threshold"
msgstr "Umbral de reintento ARP"
@ -219,9 +222,6 @@ msgstr "Concentrador de acceso"
msgid "Access Point"
msgstr "Punto de Acceso"
msgid "Action"
msgstr "Acción"
msgid "Actions"
msgstr "Acciones"
@ -297,6 +297,9 @@ msgstr ""
msgid "Allow all except listed"
msgstr "Permitir a todos excepto a los de la lista"
msgid "Allow legacy 802.11b rates"
msgstr ""
msgid "Allow listed only"
msgstr "Permitir a los pertenecientes en la lista"
@ -423,9 +426,6 @@ msgstr ""
msgid "Associated Stations"
msgstr "Estaciones asociadas"
msgid "Atheros 802.11%s Wireless Controller"
msgstr "Controlador inalámbrico 802.11%s Atheros"
msgid "Auth Group"
msgstr ""
@ -501,9 +501,6 @@ msgstr "Volver al resumen"
msgid "Back to scan results"
msgstr "Volver a resultados de la exploración"
msgid "Background Scan"
msgstr "Exploración en segundo plano"
msgid "Backup / Flash Firmware"
msgstr "Copia de seguridad / Grabar firmware"
@ -573,9 +570,6 @@ msgid ""
"preserved in any sysupgrade."
msgstr ""
msgid "Buttons"
msgstr "Botones"
msgid "CA certificate; if empty it will be saved after the first connection."
msgstr ""
@ -606,7 +600,7 @@ msgstr "Canal"
msgid "Check"
msgstr "Comprobar"
msgid "Check fileystems before mount"
msgid "Check filesystems before mount"
msgstr ""
msgid "Check this option to delete the existing networks from this radio."
@ -673,8 +667,12 @@ msgstr "Comando"
msgid "Common Configuration"
msgstr "Configuración común"
msgid "Compression"
msgstr "Compresión"
msgid ""
"Complicates key reinstallation attacks on the client side by disabling "
"retransmission of EAPOL-Key frames that are used to install keys. This "
"workaround might cause interoperability issues and reduced robustness of key "
"negotiation especially in environments with heavy traffic load."
msgstr ""
msgid "Configuration"
msgstr "Configuración"
@ -896,9 +894,6 @@ msgstr "Desactivar configuración de DNS"
msgid "Disable Encryption"
msgstr ""
msgid "Disable HW-Beacon timer"
msgstr "Desactivar el temporizador de baliza hardware"
msgid "Disabled"
msgstr "Desactivar"
@ -945,9 +940,6 @@ msgstr ""
msgid "Do not forward reverse lookups for local networks"
msgstr "No retransmitir búsquedas inversas para redes locales"
msgid "Do not send probe responses"
msgstr "No enviar respuestas de prueba"
msgid "Domain required"
msgstr "Dominio requerido"
@ -970,6 +962,9 @@ msgstr "Descargar e instalar paquete"
msgid "Download backup"
msgstr "Descargar copia de seguridad"
msgid "Downstream SNR offset"
msgstr ""
msgid "Dropbear Instance"
msgstr "Instancia Dropbear"
@ -1152,8 +1147,14 @@ msgstr ""
msgid "Extra SSH command options"
msgstr ""
msgid "Fast Frames"
msgstr "Tramas rápidas"
msgid "FT over DS"
msgstr ""
msgid "FT over the Air"
msgstr ""
msgid "FT protocol"
msgstr ""
msgid "File"
msgstr "Fichero"
@ -1190,6 +1191,9 @@ msgstr "Terminar"
msgid "Firewall"
msgstr "Cortafuegos"
msgid "Firewall Mark"
msgstr ""
msgid "Firewall Settings"
msgstr "Configuración del cortafuegos"
@ -1235,6 +1239,9 @@ msgstr "Forzar TKIP"
msgid "Force TKIP and CCMP (AES)"
msgstr "Forzar TKIP y CCMP (AES)"
msgid "Force link"
msgstr ""
msgid "Force use of NAT-T"
msgstr ""
@ -1250,6 +1257,9 @@ msgstr ""
msgid "Forward broadcast traffic"
msgstr "Retransmitir tráfico de propagación"
msgid "Forward mesh peer traffic"
msgstr ""
msgid "Forwarding mode"
msgstr "Modo de retransmisión"
@ -1295,6 +1305,9 @@ msgstr ""
msgid "Generate Config"
msgstr ""
msgid "Generate PMK locally"
msgstr ""
msgid "Generate archive"
msgstr "Generar archivo"
@ -1333,9 +1346,6 @@ msgstr ""
msgid "HT mode (802.11n)"
msgstr ""
msgid "Handler"
msgstr "Manejador"
msgid "Hang Up"
msgstr "Suspender"
@ -1505,7 +1515,7 @@ msgstr "IPv6-sobre-IPv4 (6to4)"
msgid "Identity"
msgstr "Identidad"
msgid "If checked, 1DES is enaled"
msgid "If checked, 1DES is enabled"
msgstr ""
msgid "If checked, encryption is disabled"
@ -1648,6 +1658,9 @@ msgid "Invalid username and/or password! Please try again."
msgstr ""
"¡Nombre de usuario o contraseña no válidos!. Pruebe de nuevo, por favor."
msgid "Isolate Clients"
msgstr ""
#, fuzzy
msgid ""
"It appears that you are trying to flash an image that does not fit into the "
@ -1656,9 +1669,6 @@ msgstr ""
"Parece que está intentando grabar una imagen de firmware mayor que la "
"memoria flash de su equipo. ¡Por favor, verifique el archivo!"
msgid "Java Script required!"
msgstr ""
msgid "JavaScript required!"
msgstr "¡Se necesita JavaScript!"
@ -1926,9 +1936,6 @@ msgstr ""
msgid "Max. Attainable Data Rate (ATTNDR)"
msgstr ""
msgid "Maximum Rate"
msgstr "Ratio Máximo"
msgid "Maximum allowed number of active DHCP leases"
msgstr "Número máximo de cesiones DHCP activas"
@ -1941,9 +1948,6 @@ msgstr "Tamaño máximo de paquetes EDNS.0 paquetes UDP"
msgid "Maximum amount of seconds to wait for the modem to become ready"
msgstr "Segundos máximos de espera a que el módem esté activo"
msgid "Maximum hold time"
msgstr "Pausa máxima de transmisión"
msgid ""
"Maximum length of the name is 15 characters including the automatic protocol/"
"bridge prefix (br-, 6in4-, pppoe- etc.)"
@ -1961,15 +1965,12 @@ msgstr "Memoria"
msgid "Memory usage (%)"
msgstr "Uso de memoria (%)"
msgid "Mesh Id"
msgstr ""
msgid "Metric"
msgstr "Métrica"
msgid "Minimum Rate"
msgstr "Ratio mínimo"
msgid "Minimum hold time"
msgstr "Pausa mínima de espera"
msgid "Mirror monitor port"
msgstr ""
@ -2040,9 +2041,6 @@ msgstr "Bajar"
msgid "Move up"
msgstr "Subir"
msgid "Multicast Rate"
msgstr "Ratio multicast"
msgid "Multicast address"
msgstr "Dirección multicast"
@ -2055,6 +2053,9 @@ msgstr ""
msgid "NAT64 Prefix"
msgstr ""
msgid "NCM"
msgstr ""
msgid "NDP-Proxy"
msgstr ""
@ -2244,8 +2245,8 @@ msgid "Optional, use when the SIXXS account has more than one tunnel"
msgstr ""
msgid ""
"Optional. Adds in an additional layer of symmetric-key cryptography for post-"
"quantum resistance."
"Optional. 32-bit mark for outgoing encrypted packets. Enter value in hex, "
"starting with <code>0x</code>."
msgstr ""
msgid ""
@ -2255,6 +2256,11 @@ msgid ""
"for the interface."
msgstr ""
msgid ""
"Optional. Base64-encoded preshared key. Adds in an additional layer of "
"symmetric-key cryptography for post-quantum resistance."
msgstr ""
msgid "Optional. Create routes for Allowed IPs for this peer."
msgstr ""
@ -2289,9 +2295,6 @@ msgstr "Salida"
msgid "Outbound:"
msgstr "Saliente:"
msgid "Outdoor Channels"
msgstr "Canales al aire libre"
msgid "Output Interface"
msgstr ""
@ -2413,9 +2416,6 @@ msgstr "Camino al certificado de cliente"
msgid "Path to Private Key"
msgstr "Ruta a la Clave Privada"
msgid "Path to executable which handles the button event"
msgstr "Ruta al ejecutable que maneja el evento button"
msgid "Path to inner CA-Certificate"
msgstr ""
@ -2476,6 +2476,12 @@ msgstr ""
msgid "Pre-emtive CRC errors (CRCP_P)"
msgstr ""
msgid "Prefer LTE"
msgstr ""
msgid "Prefer UMTS"
msgstr ""
msgid "Prefix Delegated"
msgstr ""
@ -2678,9 +2684,6 @@ msgstr "Reconectando la interfaz"
msgid "References"
msgstr "Referencias"
msgid "Regulatory Domain"
msgstr "Dominio Regulador"
msgid "Relay"
msgstr "Relé"
@ -2729,15 +2732,15 @@ msgstr "Necesario para ciertos ISPs, por ejemplo Charter con DOCSIS 3"
msgid "Required. Base64-encoded private key for this interface."
msgstr ""
msgid "Required. Base64-encoded public key of peer."
msgstr ""
msgid ""
"Required. IP addresses and prefixes that this peer is allowed to use inside "
"the tunnel. Usually the peer's tunnel IP addresses and the networks the peer "
"routes through the tunnel."
msgstr ""
msgid "Required. Public key of peer."
msgstr ""
msgid ""
"Requires the 'full' version of wpad/hostapd and support from the wifi driver "
"<br />(as of Feb 2017: ath9k and ath10k, in LEDE also mwlwifi and mt76)"
@ -2884,9 +2887,6 @@ msgstr ""
msgid "Separate Clients"
msgstr "Aislar clientes"
msgid "Separate WDS"
msgstr "WDS aislado"
msgid "Server Settings"
msgstr "Configuración del servidor"
@ -2910,6 +2910,11 @@ msgstr "Tipo de servicio"
msgid "Services"
msgstr "Servicios"
msgid ""
"Set interface properties regardless of the link carrier (If set, carrier "
"sense events do not invoke hotplug handlers)."
msgstr ""
#, fuzzy
msgid "Set up Time Synchronization"
msgstr "Sincronización horaria"
@ -2992,9 +2997,6 @@ msgstr "Origen"
msgid "Source routing"
msgstr ""
msgid "Specifies the button state to handle"
msgstr "Especifica el estado de botón a manejar"
msgid "Specifies the directory the device is attached to"
msgstr "Especifica el directorio al que está enlazado el dispositivo"
@ -3053,9 +3055,6 @@ msgstr "Cesiones estáticas"
msgid "Static Routes"
msgstr "Rutas estáticas"
msgid "Static WDS"
msgstr "WDS estático"
msgid "Static address"
msgstr "Dirección estática"
@ -3106,6 +3105,9 @@ msgid ""
"Switch %q has an unknown topology - the VLAN settings might not be accurate."
msgstr ""
msgid "Switch Port Mask"
msgstr ""
msgid "Switch VLAN"
msgstr ""
@ -3403,9 +3405,6 @@ msgid ""
"their status."
msgstr "Procesos de sistema que se están ejecutando actualmente y su estado."
msgid "This page allows the configuration of custom button actions"
msgstr "Configuración de acciones personalizadas para los botones"
msgid "This page gives an overview over currently active network connections."
msgstr "Conexiones de red activas."
@ -3479,9 +3478,6 @@ msgstr ""
msgid "Tunnel type"
msgstr ""
msgid "Turbo Mode"
msgstr "Modo Turbo"
msgid "Tx-Power"
msgstr "Potencia-TX"
@ -3595,9 +3591,9 @@ msgstr "Usar tabla de rutas"
msgid ""
"Use the <em>Add</em> Button to add a new lease entry. The <em>MAC-Address</"
"em> indentifies the host, the <em>IPv4-Address</em> specifies to the fixed "
"address to use and the <em>Hostname</em> is assigned as symbolic name to the "
"requesting host. The optional <em>Lease time</em> can be used to set non-"
"em> indentifies the host, the <em>IPv4-Address</em> specifies the fixed "
"address to use, and the <em>Hostname</em> is assigned as a symbolic name to "
"the requesting host. The optional <em>Lease time</em> can be used to set non-"
"standard host-specific lease time, e.g. 12h, 3d or infinite."
msgstr ""
"Pulse el botón <em>Añadir</em> para insertar una nueva cesión. <em>Dirección "
@ -3717,6 +3713,11 @@ msgstr "Aviso"
msgid "Warning: There are unsaved changes that will get lost on reboot!"
msgstr ""
msgid ""
"When using a PSK, the PMK can be generated locally without inter AP "
"communications"
msgstr ""
msgid "Whether to create an IPv6 default route over the tunnel"
msgstr ""
@ -3762,22 +3763,12 @@ msgstr "Red inalámbrica rearrancada"
msgid "Wireless shut down"
msgstr "Apagando red inalámbrica"
msgid ""
"Complicates key reinstallation attacks on the client side by disabling "
"retransmission of EAPOL-Key frames that are used to install keys. This "
"workaround might cause interoperability issues and reduced robustness of key "
"negotiation especially in environments with heavy traffic load."
msgstr ""
msgid "Write received DNS requests to syslog"
msgstr "Escribir las peticiones de DNS recibidas en el registro del sistema"
msgid "Write system log to file"
msgstr ""
msgid "XR Support"
msgstr "Soporte de XR"
msgid ""
"You can enable or disable installed init scripts here. Changes will applied "
"after a device reboot.<br /><strong>Warning: If you disable essential init "
@ -3788,10 +3779,6 @@ msgstr ""
"esenciales como\"network\", su equipo puede no arrancar o quedar "
"inaccesible!.</strong>"
msgid ""
"You must enable Java Script in your browser or LuCI will not work properly."
msgstr ""
msgid ""
"You must enable JavaScript in your browser or LuCI will not work properly."
msgstr ""
@ -3909,6 +3896,9 @@ msgstr "abierto"
msgid "overlay"
msgstr ""
msgid "random"
msgstr ""
msgid "relay mode"
msgstr ""
@ -3954,6 +3944,30 @@ msgstr "sí"
msgid "« Back"
msgstr "« Volver"
#~ msgid "Action"
#~ msgstr "Acción"
#~ msgid "Buttons"
#~ msgstr "Botones"
#~ msgid "Handler"
#~ msgstr "Manejador"
#~ msgid "Maximum hold time"
#~ msgstr "Pausa máxima de transmisión"
#~ msgid "Minimum hold time"
#~ msgstr "Pausa mínima de espera"
#~ msgid "Path to executable which handles the button event"
#~ msgstr "Ruta al ejecutable que maneja el evento button"
#~ msgid "Specifies the button state to handle"
#~ msgstr "Especifica el estado de botón a manejar"
#~ msgid "This page allows the configuration of custom button actions"
#~ msgstr "Configuración de acciones personalizadas para los botones"
#~ msgid "Leasetime"
#~ msgstr "Tiempo de cesión"
@ -3961,6 +3975,54 @@ msgstr "« Volver"
#~ msgid "automatic"
#~ msgstr "estático"
#~ msgid "AR Support"
#~ msgstr "Soporte a AR"
#~ msgid "Atheros 802.11%s Wireless Controller"
#~ msgstr "Controlador inalámbrico 802.11%s Atheros"
#~ msgid "Background Scan"
#~ msgstr "Exploración en segundo plano"
#~ msgid "Compression"
#~ msgstr "Compresión"
#~ msgid "Disable HW-Beacon timer"
#~ msgstr "Desactivar el temporizador de baliza hardware"
#~ msgid "Do not send probe responses"
#~ msgstr "No enviar respuestas de prueba"
#~ msgid "Fast Frames"
#~ msgstr "Tramas rápidas"
#~ msgid "Maximum Rate"
#~ msgstr "Ratio Máximo"
#~ msgid "Minimum Rate"
#~ msgstr "Ratio mínimo"
#~ msgid "Multicast Rate"
#~ msgstr "Ratio multicast"
#~ msgid "Outdoor Channels"
#~ msgstr "Canales al aire libre"
#~ msgid "Regulatory Domain"
#~ msgstr "Dominio Regulador"
#~ msgid "Separate WDS"
#~ msgstr "WDS aislado"
#~ msgid "Static WDS"
#~ msgstr "WDS estático"
#~ msgid "Turbo Mode"
#~ msgstr "Modo Turbo"
#~ msgid "XR Support"
#~ msgstr "Soporte de XR"
#~ msgid "An additional network will be created if you leave this unchecked."
#~ msgstr "Se creará una red adicional si deja esto desmarcado."

View file

@ -13,6 +13,9 @@ msgstr ""
"Plural-Forms: nplurals=2; plural=(n > 1);\n"
"X-Generator: Pootle 2.0.6\n"
msgid "%.1f dB"
msgstr ""
msgid "%s is untagged in multiple VLANs!"
msgstr ""
@ -133,6 +136,9 @@ msgstr "Nom de la <abbr title=\"Diode Électro-Luminescente\">DEL</abbr>"
msgid "<abbr title=\"Media Access Control\">MAC</abbr>-Address"
msgstr "Adresse <abbr title=\"Media Access Control\">MAC</abbr>"
msgid "<abbr title=\"The DHCP Unique Identifier\">DUID</abbr>"
msgstr ""
msgid ""
"<abbr title=\"maximal\">Max.</abbr> <abbr title=\"Dynamic Host Configuration "
"Protocol\">DHCP</abbr> leases"
@ -176,9 +182,6 @@ msgstr ""
msgid "APN"
msgstr "APN"
msgid "AR Support"
msgstr "Gestion du mode AR"
msgid "ARP retry threshold"
msgstr "Niveau de ré-essai ARP"
@ -222,9 +225,6 @@ msgstr "Concentrateur d'accès"
msgid "Access Point"
msgstr "Point d'accès"
msgid "Action"
msgstr "Action"
msgid "Actions"
msgstr "Actions"
@ -299,6 +299,9 @@ msgstr ""
msgid "Allow all except listed"
msgstr "Autoriser tout sauf ce qui est listé"
msgid "Allow legacy 802.11b rates"
msgstr ""
msgid "Allow listed only"
msgstr "Autoriser seulement ce qui est listé"
@ -429,9 +432,6 @@ msgstr ""
msgid "Associated Stations"
msgstr "Équipements associés"
msgid "Atheros 802.11%s Wireless Controller"
msgstr "Contrôleur sans fil Atheros 802.11%s "
msgid "Auth Group"
msgstr ""
@ -507,9 +507,6 @@ msgstr "Retour à la vue générale"
msgid "Back to scan results"
msgstr "Retour aux résultats de la recherche"
msgid "Background Scan"
msgstr "Recherche en arrière-plan"
msgid "Backup / Flash Firmware"
msgstr "Sauvegarde / Mise à jour du micrologiciel"
@ -578,9 +575,6 @@ msgid ""
"preserved in any sysupgrade."
msgstr ""
msgid "Buttons"
msgstr "Boutons"
msgid "CA certificate; if empty it will be saved after the first connection."
msgstr ""
@ -611,7 +605,7 @@ msgstr "Canal"
msgid "Check"
msgstr "Vérification"
msgid "Check fileystems before mount"
msgid "Check filesystems before mount"
msgstr ""
msgid "Check this option to delete the existing networks from this radio."
@ -680,8 +674,12 @@ msgstr "Commande"
msgid "Common Configuration"
msgstr "Configuration commune"
msgid "Compression"
msgstr "Compression"
msgid ""
"Complicates key reinstallation attacks on the client side by disabling "
"retransmission of EAPOL-Key frames that are used to install keys. This "
"workaround might cause interoperability issues and reduced robustness of key "
"negotiation especially in environments with heavy traffic load."
msgstr ""
msgid "Configuration"
msgstr "Configuration"
@ -903,9 +901,6 @@ msgstr "Désactiver la configuration DNS"
msgid "Disable Encryption"
msgstr ""
msgid "Disable HW-Beacon timer"
msgstr "Désactiver l'émission périodique de balises wifi (« HW-Beacon »)"
msgid "Disabled"
msgstr "Désactivé"
@ -955,9 +950,6 @@ msgid "Do not forward reverse lookups for local networks"
msgstr ""
"Ne pas transmettre les requêtes de recherche inverse pour les réseaux locaux"
msgid "Do not send probe responses"
msgstr "Ne pas envoyer de réponses de test"
msgid "Domain required"
msgstr "Domaine nécessaire"
@ -980,6 +972,9 @@ msgstr "Télécharge et installe le paquet"
msgid "Download backup"
msgstr "Télécharger la sauvegarde"
msgid "Downstream SNR offset"
msgstr ""
msgid "Dropbear Instance"
msgstr "Session Dropbear"
@ -1164,8 +1159,14 @@ msgstr ""
msgid "Extra SSH command options"
msgstr ""
msgid "Fast Frames"
msgstr "Trames rapides"
msgid "FT over DS"
msgstr ""
msgid "FT over the Air"
msgstr ""
msgid "FT protocol"
msgstr ""
msgid "File"
msgstr "Fichier"
@ -1202,6 +1203,9 @@ msgstr "Terminer"
msgid "Firewall"
msgstr "Pare-feu"
msgid "Firewall Mark"
msgstr ""
msgid "Firewall Settings"
msgstr "Paramètres du pare-feu"
@ -1247,6 +1251,9 @@ msgstr "Forcer TKIP"
msgid "Force TKIP and CCMP (AES)"
msgstr "Forcer TKIP et CCMP (AES)"
msgid "Force link"
msgstr ""
msgid "Force use of NAT-T"
msgstr ""
@ -1262,6 +1269,9 @@ msgstr ""
msgid "Forward broadcast traffic"
msgstr "Transmettre le trafic de diffusion"
msgid "Forward mesh peer traffic"
msgstr ""
msgid "Forwarding mode"
msgstr "Mode de transmission"
@ -1306,6 +1316,9 @@ msgstr ""
msgid "Generate Config"
msgstr ""
msgid "Generate PMK locally"
msgstr ""
msgid "Generate archive"
msgstr "Construire l'archive"
@ -1344,9 +1357,6 @@ msgstr ""
msgid "HT mode (802.11n)"
msgstr ""
msgid "Handler"
msgstr "Gestionnaire"
msgid "Hang Up"
msgstr "Signal (HUP)"
@ -1389,7 +1399,7 @@ msgid "Host-<abbr title=\"Internet Protocol Address\">IP</abbr> or Network"
msgstr "adresse IP ou réseau"
msgid "Hostname"
msgstr "Nom d hôte"
msgstr "Nom d'hôte"
msgid "Hostname to send when requesting DHCP"
msgstr "Nom d'hôte à envoyer dans une requête DHCP"
@ -1517,7 +1527,7 @@ msgstr "IPv6 sur IPv4 (6 vers 4)"
msgid "Identity"
msgstr "Identité"
msgid "If checked, 1DES is enaled"
msgid "If checked, 1DES is enabled"
msgstr ""
msgid "If checked, encryption is disabled"
@ -1658,6 +1668,9 @@ msgstr ""
msgid "Invalid username and/or password! Please try again."
msgstr "Nom d'utilisateur et/ou mot de passe invalides ! Réessayez !"
msgid "Isolate Clients"
msgstr ""
#, fuzzy
msgid ""
"It appears that you are trying to flash an image that does not fit into the "
@ -1667,9 +1680,6 @@ msgstr ""
"tient pas dans sa mémoire flash, vérifiez s'il vous plait votre fichier-"
"image !"
msgid "Java Script required!"
msgstr ""
msgid "JavaScript required!"
msgstr "Nécessite un Script Java !"
@ -1940,9 +1950,6 @@ msgstr ""
msgid "Max. Attainable Data Rate (ATTNDR)"
msgstr ""
msgid "Maximum Rate"
msgstr "Débit maximum"
msgid "Maximum allowed number of active DHCP leases"
msgstr "Nombre maximum de baux DHCP actifs"
@ -1955,9 +1962,6 @@ msgstr "Taille maximum autorisée des paquets UDP EDNS.0"
msgid "Maximum amount of seconds to wait for the modem to become ready"
msgstr "Délai d'attente maximum que le modem soit prêt"
msgid "Maximum hold time"
msgstr "Temps de maintien maximum"
msgid ""
"Maximum length of the name is 15 characters including the automatic protocol/"
"bridge prefix (br-, 6in4-, pppoe- etc.)"
@ -1975,15 +1979,12 @@ msgstr "Mémoire"
msgid "Memory usage (%)"
msgstr "Utilisation Mémoire (%)"
msgid "Mesh Id"
msgstr ""
msgid "Metric"
msgstr "Metrique"
msgid "Minimum Rate"
msgstr "Débit minimum"
msgid "Minimum hold time"
msgstr "Temps de maintien mimimum"
msgid "Mirror monitor port"
msgstr ""
@ -2054,9 +2055,6 @@ msgstr "Descendre"
msgid "Move up"
msgstr "Monter"
msgid "Multicast Rate"
msgstr "Débit multidiffusion"
msgid "Multicast address"
msgstr "Adresse multidiffusion"
@ -2069,6 +2067,9 @@ msgstr ""
msgid "NAT64 Prefix"
msgstr ""
msgid "NCM"
msgstr ""
msgid "NDP-Proxy"
msgstr ""
@ -2257,8 +2258,8 @@ msgid "Optional, use when the SIXXS account has more than one tunnel"
msgstr ""
msgid ""
"Optional. Adds in an additional layer of symmetric-key cryptography for post-"
"quantum resistance."
"Optional. 32-bit mark for outgoing encrypted packets. Enter value in hex, "
"starting with <code>0x</code>."
msgstr ""
msgid ""
@ -2268,6 +2269,11 @@ msgid ""
"for the interface."
msgstr ""
msgid ""
"Optional. Base64-encoded preshared key. Adds in an additional layer of "
"symmetric-key cryptography for post-quantum resistance."
msgstr ""
msgid "Optional. Create routes for Allowed IPs for this peer."
msgstr ""
@ -2302,9 +2308,6 @@ msgstr "Sortie"
msgid "Outbound:"
msgstr "Extérieur :"
msgid "Outdoor Channels"
msgstr "Canaux en extérieur"
msgid "Output Interface"
msgstr ""
@ -2337,7 +2340,7 @@ msgid "Override the table used for internal routes"
msgstr "Modifier la table utilisée pour les routes internes"
msgid "Overview"
msgstr "Vue d ensemble"
msgstr "Vue d'ensemble"
msgid "Owner"
msgstr "Propriétaire"
@ -2426,9 +2429,6 @@ msgstr "Chemin du certificat-client"
msgid "Path to Private Key"
msgstr "Chemin de la clé privée"
msgid "Path to executable which handles the button event"
msgstr "Chemin du programme exécutable gérant les évènements liés au bouton"
msgid "Path to inner CA-Certificate"
msgstr ""
@ -2489,6 +2489,12 @@ msgstr ""
msgid "Pre-emtive CRC errors (CRCP_P)"
msgstr ""
msgid "Prefer LTE"
msgstr ""
msgid "Prefer UMTS"
msgstr ""
msgid "Prefix Delegated"
msgstr ""
@ -2691,9 +2697,6 @@ msgstr "Reconnecte cet interface"
msgid "References"
msgstr "Références"
msgid "Regulatory Domain"
msgstr "Domaine de certification"
msgid "Relay"
msgstr "Relais"
@ -2742,15 +2745,15 @@ msgstr "Nécessaire avec certains FAIs, par ex. : Charter avec DOCSIS 3"
msgid "Required. Base64-encoded private key for this interface."
msgstr ""
msgid "Required. Base64-encoded public key of peer."
msgstr ""
msgid ""
"Required. IP addresses and prefixes that this peer is allowed to use inside "
"the tunnel. Usually the peer's tunnel IP addresses and the networks the peer "
"routes through the tunnel."
msgstr ""
msgid "Required. Public key of peer."
msgstr ""
msgid ""
"Requires the 'full' version of wpad/hostapd and support from the wifi driver "
"<br />(as of Feb 2017: ath9k and ath10k, in LEDE also mwlwifi and mt76)"
@ -2898,9 +2901,6 @@ msgstr ""
msgid "Separate Clients"
msgstr "Isoler les clients"
msgid "Separate WDS"
msgstr "WDS séparé"
msgid "Server Settings"
msgstr "Paramètres du serveur"
@ -2924,6 +2924,11 @@ msgstr "Type du service"
msgid "Services"
msgstr "Services"
msgid ""
"Set interface properties regardless of the link carrier (If set, carrier "
"sense events do not invoke hotplug handlers)."
msgstr ""
#, fuzzy
msgid "Set up Time Synchronization"
msgstr "Configurer la synchronisation de l'heure"
@ -3007,9 +3012,6 @@ msgstr "Source"
msgid "Source routing"
msgstr ""
msgid "Specifies the button state to handle"
msgstr "Indique l'état du bouton à gérer"
msgid "Specifies the directory the device is attached to"
msgstr "Indique le répertoire auquel le périphérique est rattaché"
@ -3065,9 +3067,6 @@ msgstr "Baux Statiques"
msgid "Static Routes"
msgstr "Routes statiques"
msgid "Static WDS"
msgstr "WDS statique"
msgid "Static address"
msgstr "Adresse statique"
@ -3118,6 +3117,9 @@ msgid ""
"Switch %q has an unknown topology - the VLAN settings might not be accurate."
msgstr ""
msgid "Switch Port Mask"
msgstr ""
msgid "Switch VLAN"
msgstr ""
@ -3419,9 +3421,6 @@ msgstr ""
"Cette liste donne une vue d'ensemble des processus en exécution et leur "
"statut."
msgid "This page allows the configuration of custom button actions"
msgstr "Cette page permet la configuration d'actions spécifiques des boutons"
msgid "This page gives an overview over currently active network connections."
msgstr ""
"Cette page donne une vue d'ensemble des connexions réseaux actuellement "
@ -3497,9 +3496,6 @@ msgstr ""
msgid "Tunnel type"
msgstr ""
msgid "Turbo Mode"
msgstr "Mode Turbo"
msgid "Tx-Power"
msgstr "Puissance d'émission"
@ -3614,9 +3610,9 @@ msgstr "Utiliser la table de routage"
msgid ""
"Use the <em>Add</em> Button to add a new lease entry. The <em>MAC-Address</"
"em> indentifies the host, the <em>IPv4-Address</em> specifies to the fixed "
"address to use and the <em>Hostname</em> is assigned as symbolic name to the "
"requesting host. The optional <em>Lease time</em> can be used to set non-"
"em> indentifies the host, the <em>IPv4-Address</em> specifies the fixed "
"address to use, and the <em>Hostname</em> is assigned as a symbolic name to "
"the requesting host. The optional <em>Lease time</em> can be used to set non-"
"standard host-specific lease time, e.g. 12h, 3d or infinite."
msgstr ""
"Utiliser le bouton <em>Ajouter</em> pour créer un nouveau bail. "
@ -3736,6 +3732,11 @@ msgstr "Attention"
msgid "Warning: There are unsaved changes that will get lost on reboot!"
msgstr ""
msgid ""
"When using a PSK, the PMK can be generated locally without inter AP "
"communications"
msgstr ""
msgid "Whether to create an IPv6 default route over the tunnel"
msgstr ""
@ -3781,22 +3782,12 @@ msgstr "Wi-Fi ré-initialisé"
msgid "Wireless shut down"
msgstr "Wi-Fi arrêté"
msgid ""
"Complicates key reinstallation attacks on the client side by disabling "
"retransmission of EAPOL-Key frames that are used to install keys. This "
"workaround might cause interoperability issues and reduced robustness of key "
"negotiation especially in environments with heavy traffic load."
msgstr ""
msgid "Write received DNS requests to syslog"
msgstr "Écrire les requêtes DNS reçues dans syslog"
msgid "Write system log to file"
msgstr ""
msgid "XR Support"
msgstr "Gestion du mode XR"
msgid ""
"You can enable or disable installed init scripts here. Changes will applied "
"after a device reboot.<br /><strong>Warning: If you disable essential init "
@ -3807,10 +3798,6 @@ msgstr ""
"><strong>Attention: Si vous désactivez des scripts essentiels comme \"réseau"
"\", votre équipement pourrait ne plus être accessible&#160;!</strong>"
msgid ""
"You must enable Java Script in your browser or LuCI will not work properly."
msgstr ""
msgid ""
"You must enable JavaScript in your browser or LuCI will not work properly."
msgstr ""
@ -3927,6 +3914,9 @@ msgstr "ouvrir"
msgid "overlay"
msgstr ""
msgid "random"
msgstr ""
msgid "relay mode"
msgstr ""
@ -3972,6 +3962,31 @@ msgstr "oui"
msgid "« Back"
msgstr "« Retour"
#~ msgid "Action"
#~ msgstr "Action"
#~ msgid "Buttons"
#~ msgstr "Boutons"
#~ msgid "Handler"
#~ msgstr "Gestionnaire"
#~ msgid "Maximum hold time"
#~ msgstr "Temps de maintien maximum"
#~ msgid "Minimum hold time"
#~ msgstr "Temps de maintien mimimum"
#~ msgid "Path to executable which handles the button event"
#~ msgstr "Chemin du programme exécutable gérant les évènements liés au bouton"
#~ msgid "Specifies the button state to handle"
#~ msgstr "Indique l'état du bouton à gérer"
#~ msgid "This page allows the configuration of custom button actions"
#~ msgstr ""
#~ "Cette page permet la configuration d'actions spécifiques des boutons"
#~ msgid "Leasetime"
#~ msgstr "Durée du bail"
@ -3979,6 +3994,54 @@ msgstr "« Retour"
#~ msgid "automatic"
#~ msgstr "statique"
#~ msgid "AR Support"
#~ msgstr "Gestion du mode AR"
#~ msgid "Atheros 802.11%s Wireless Controller"
#~ msgstr "Contrôleur sans fil Atheros 802.11%s "
#~ msgid "Background Scan"
#~ msgstr "Recherche en arrière-plan"
#~ msgid "Compression"
#~ msgstr "Compression"
#~ msgid "Disable HW-Beacon timer"
#~ msgstr "Désactiver l'émission périodique de balises wifi (« HW-Beacon »)"
#~ msgid "Do not send probe responses"
#~ msgstr "Ne pas envoyer de réponses de test"
#~ msgid "Fast Frames"
#~ msgstr "Trames rapides"
#~ msgid "Maximum Rate"
#~ msgstr "Débit maximum"
#~ msgid "Minimum Rate"
#~ msgstr "Débit minimum"
#~ msgid "Multicast Rate"
#~ msgstr "Débit multidiffusion"
#~ msgid "Outdoor Channels"
#~ msgstr "Canaux en extérieur"
#~ msgid "Regulatory Domain"
#~ msgstr "Domaine de certification"
#~ msgid "Separate WDS"
#~ msgstr "WDS séparé"
#~ msgid "Static WDS"
#~ msgstr "WDS statique"
#~ msgid "Turbo Mode"
#~ msgstr "Mode Turbo"
#~ msgid "XR Support"
#~ msgstr "Gestion du mode XR"
#~ msgid "An additional network will be created if you leave this unchecked."
#~ msgstr "Un réseau supplémentaire sera créé si vous laissé ceci décoché."

View file

@ -11,6 +11,9 @@ msgstr ""
"Plural-Forms: nplurals=2; plural=(n != 1);\n"
"X-Generator: Pootle 2.0.6\n"
msgid "%.1f dB"
msgstr ""
msgid "%s is untagged in multiple VLANs!"
msgstr ""
@ -127,6 +130,9 @@ msgstr "שם <abbr title=\"Light Emitting Diode\">LED</abbr>"
msgid "<abbr title=\"Media Access Control\">MAC</abbr>-Address"
msgstr "כתובת-<abbr title=\"Media Access Control\">MAC</abbr>"
msgid "<abbr title=\"The DHCP Unique Identifier\">DUID</abbr>"
msgstr ""
msgid ""
"<abbr title=\"maximal\">Max.</abbr> <abbr title=\"Dynamic Host Configuration "
"Protocol\">DHCP</abbr> leases"
@ -166,9 +172,6 @@ msgstr ""
msgid "APN"
msgstr ""
msgid "AR Support"
msgstr "תמיכת AR"
#, fuzzy
msgid "ARP retry threshold"
msgstr "סף נסיונות של ARP"
@ -210,9 +213,6 @@ msgstr "מרכז גישות"
msgid "Access Point"
msgstr "נקודת גישה"
msgid "Action"
msgstr "פעולה"
msgid "Actions"
msgstr "פעולות"
@ -290,6 +290,9 @@ msgstr ""
msgid "Allow all except listed"
msgstr "אפשר הכל חוץ מהרשומים"
msgid "Allow legacy 802.11b rates"
msgstr ""
msgid "Allow listed only"
msgstr "אפשר רשומים בלבד"
@ -418,9 +421,6 @@ msgstr ""
msgid "Associated Stations"
msgstr "תחנות קשורות"
msgid "Atheros 802.11%s Wireless Controller"
msgstr "שלט אלחוטי Atheros 802.11%s"
msgid "Auth Group"
msgstr ""
@ -496,9 +496,6 @@ msgstr "חזרה לסקירה"
msgid "Back to scan results"
msgstr "חזרה לתוצאות סריקה"
msgid "Background Scan"
msgstr "סריקת רקע"
msgid "Backup / Flash Firmware"
msgstr "גיבוי / קושחת פלאש"
@ -568,9 +565,6 @@ msgid ""
"preserved in any sysupgrade."
msgstr ""
msgid "Buttons"
msgstr "כפתורים"
msgid "CA certificate; if empty it will be saved after the first connection."
msgstr ""
@ -601,7 +595,7 @@ msgstr "ערוץ"
msgid "Check"
msgstr "לבדוק"
msgid "Check fileystems before mount"
msgid "Check filesystems before mount"
msgstr ""
msgid "Check this option to delete the existing networks from this radio."
@ -657,8 +651,12 @@ msgstr "פקודה"
msgid "Common Configuration"
msgstr "הגדרות נפוצות"
msgid "Compression"
msgstr "דחיסה"
msgid ""
"Complicates key reinstallation attacks on the client side by disabling "
"retransmission of EAPOL-Key frames that are used to install keys. This "
"workaround might cause interoperability issues and reduced robustness of key "
"negotiation especially in environments with heavy traffic load."
msgstr ""
msgid "Configuration"
msgstr "הגדרות"
@ -877,9 +875,6 @@ msgstr ""
msgid "Disable Encryption"
msgstr ""
msgid "Disable HW-Beacon timer"
msgstr ""
msgid "Disabled"
msgstr ""
@ -920,9 +915,6 @@ msgstr ""
msgid "Do not forward reverse lookups for local networks"
msgstr ""
msgid "Do not send probe responses"
msgstr ""
msgid "Domain required"
msgstr ""
@ -943,6 +935,9 @@ msgstr "הורד והתקן חבילות"
msgid "Download backup"
msgstr "הורד גיבוי"
msgid "Downstream SNR offset"
msgstr ""
msgid "Dropbear Instance"
msgstr ""
@ -1119,7 +1114,13 @@ msgstr ""
msgid "Extra SSH command options"
msgstr ""
msgid "Fast Frames"
msgid "FT over DS"
msgstr ""
msgid "FT over the Air"
msgstr ""
msgid "FT protocol"
msgstr ""
msgid "File"
@ -1157,6 +1158,9 @@ msgstr ""
msgid "Firewall"
msgstr ""
msgid "Firewall Mark"
msgstr ""
msgid "Firewall Settings"
msgstr ""
@ -1202,6 +1206,9 @@ msgstr ""
msgid "Force TKIP and CCMP (AES)"
msgstr ""
msgid "Force link"
msgstr ""
msgid "Force use of NAT-T"
msgstr ""
@ -1217,6 +1224,9 @@ msgstr ""
msgid "Forward broadcast traffic"
msgstr ""
msgid "Forward mesh peer traffic"
msgstr ""
msgid "Forwarding mode"
msgstr ""
@ -1261,6 +1271,9 @@ msgstr ""
msgid "Generate Config"
msgstr ""
msgid "Generate PMK locally"
msgstr ""
msgid "Generate archive"
msgstr ""
@ -1297,9 +1310,6 @@ msgstr ""
msgid "HT mode (802.11n)"
msgstr ""
msgid "Handler"
msgstr ""
msgid "Hang Up"
msgstr ""
@ -1466,7 +1476,7 @@ msgstr ""
msgid "Identity"
msgstr ""
msgid "If checked, 1DES is enaled"
msgid "If checked, 1DES is enabled"
msgstr ""
msgid "If checked, encryption is disabled"
@ -1596,14 +1606,14 @@ msgstr ""
msgid "Invalid username and/or password! Please try again."
msgstr "שם משתמש ו/או סיסמה שגויים! אנא נסה שנית."
msgid "Isolate Clients"
msgstr ""
msgid ""
"It appears that you are trying to flash an image that does not fit into the "
"flash memory, please verify the image file!"
msgstr ""
msgid "Java Script required!"
msgstr ""
msgid "JavaScript required!"
msgstr ""
@ -1862,9 +1872,6 @@ msgstr ""
msgid "Max. Attainable Data Rate (ATTNDR)"
msgstr ""
msgid "Maximum Rate"
msgstr ""
msgid "Maximum allowed number of active DHCP leases"
msgstr ""
@ -1877,9 +1884,6 @@ msgstr ""
msgid "Maximum amount of seconds to wait for the modem to become ready"
msgstr ""
msgid "Maximum hold time"
msgstr ""
msgid ""
"Maximum length of the name is 15 characters including the automatic protocol/"
"bridge prefix (br-, 6in4-, pppoe- etc.)"
@ -1897,15 +1901,12 @@ msgstr ""
msgid "Memory usage (%)"
msgstr ""
msgid "Mesh Id"
msgstr ""
msgid "Metric"
msgstr ""
msgid "Minimum Rate"
msgstr ""
msgid "Minimum hold time"
msgstr ""
msgid "Mirror monitor port"
msgstr ""
@ -1974,9 +1975,6 @@ msgstr ""
msgid "Move up"
msgstr ""
msgid "Multicast Rate"
msgstr ""
msgid "Multicast address"
msgstr ""
@ -1989,6 +1987,9 @@ msgstr ""
msgid "NAT64 Prefix"
msgstr ""
msgid "NCM"
msgstr ""
msgid "NDP-Proxy"
msgstr ""
@ -2173,8 +2174,8 @@ msgid "Optional, use when the SIXXS account has more than one tunnel"
msgstr ""
msgid ""
"Optional. Adds in an additional layer of symmetric-key cryptography for post-"
"quantum resistance."
"Optional. 32-bit mark for outgoing encrypted packets. Enter value in hex, "
"starting with <code>0x</code>."
msgstr ""
msgid ""
@ -2184,6 +2185,11 @@ msgid ""
"for the interface."
msgstr ""
msgid ""
"Optional. Base64-encoded preshared key. Adds in an additional layer of "
"symmetric-key cryptography for post-quantum resistance."
msgstr ""
msgid "Optional. Create routes for Allowed IPs for this peer."
msgstr ""
@ -2218,9 +2224,6 @@ msgstr ""
msgid "Outbound:"
msgstr ""
msgid "Outdoor Channels"
msgstr ""
msgid "Output Interface"
msgstr ""
@ -2340,9 +2343,6 @@ msgstr ""
msgid "Path to Private Key"
msgstr "נתיב למפתח הפרטי"
msgid "Path to executable which handles the button event"
msgstr ""
msgid "Path to inner CA-Certificate"
msgstr ""
@ -2403,6 +2403,12 @@ msgstr ""
msgid "Pre-emtive CRC errors (CRCP_P)"
msgstr ""
msgid "Prefer LTE"
msgstr ""
msgid "Prefer UMTS"
msgstr ""
msgid "Prefix Delegated"
msgstr ""
@ -2592,9 +2598,6 @@ msgstr ""
msgid "References"
msgstr ""
msgid "Regulatory Domain"
msgstr ""
msgid "Relay"
msgstr ""
@ -2643,15 +2646,15 @@ msgstr ""
msgid "Required. Base64-encoded private key for this interface."
msgstr ""
msgid "Required. Base64-encoded public key of peer."
msgstr ""
msgid ""
"Required. IP addresses and prefixes that this peer is allowed to use inside "
"the tunnel. Usually the peer's tunnel IP addresses and the networks the peer "
"routes through the tunnel."
msgstr ""
msgid "Required. Public key of peer."
msgstr ""
msgid ""
"Requires the 'full' version of wpad/hostapd and support from the wifi driver "
"<br />(as of Feb 2017: ath9k and ath10k, in LEDE also mwlwifi and mt76)"
@ -2794,9 +2797,6 @@ msgstr ""
msgid "Separate Clients"
msgstr ""
msgid "Separate WDS"
msgstr ""
msgid "Server Settings"
msgstr ""
@ -2820,6 +2820,11 @@ msgstr ""
msgid "Services"
msgstr "שירותים"
msgid ""
"Set interface properties regardless of the link carrier (If set, carrier "
"sense events do not invoke hotplug handlers)."
msgstr ""
#, fuzzy
msgid "Set up Time Synchronization"
msgstr "סנכרון זמן"
@ -2901,9 +2906,6 @@ msgstr "מקור"
msgid "Source routing"
msgstr ""
msgid "Specifies the button state to handle"
msgstr ""
msgid "Specifies the directory the device is attached to"
msgstr ""
@ -2957,9 +2959,6 @@ msgstr "הקצאות סטטיות"
msgid "Static Routes"
msgstr "ניתובים סטטיים"
msgid "Static WDS"
msgstr "WDS סטטי"
msgid "Static address"
msgstr "כתובת סטטית"
@ -3009,6 +3008,9 @@ msgid ""
"Switch %q has an unknown topology - the VLAN settings might not be accurate."
msgstr ""
msgid "Switch Port Mask"
msgstr ""
msgid "Switch VLAN"
msgstr ""
@ -3253,9 +3255,6 @@ msgid ""
"their status."
msgstr "רשימה זו מציגה סקירה של תהליכי המערכת הרצים כרגע ואת מצבם."
msgid "This page allows the configuration of custom button actions"
msgstr "דף זה מאפשר להגדיר פעולות מיוחדות עבור הלחצנים."
msgid "This page gives an overview over currently active network connections."
msgstr "דף זה מציג סקירה של חיבורי הרשת הפעילים כרגע."
@ -3328,9 +3327,6 @@ msgstr ""
msgid "Tunnel type"
msgstr ""
msgid "Turbo Mode"
msgstr ""
msgid "Tx-Power"
msgstr "עוצמת שידור"
@ -3441,9 +3437,9 @@ msgstr "השתמש בטבלת ניתוב"
msgid ""
"Use the <em>Add</em> Button to add a new lease entry. The <em>MAC-Address</"
"em> indentifies the host, the <em>IPv4-Address</em> specifies to the fixed "
"address to use and the <em>Hostname</em> is assigned as symbolic name to the "
"requesting host. The optional <em>Lease time</em> can be used to set non-"
"em> indentifies the host, the <em>IPv4-Address</em> specifies the fixed "
"address to use, and the <em>Hostname</em> is assigned as a symbolic name to "
"the requesting host. The optional <em>Lease time</em> can be used to set non-"
"standard host-specific lease time, e.g. 12h, 3d or infinite."
msgstr ""
@ -3557,6 +3553,11 @@ msgstr "אזהרה"
msgid "Warning: There are unsaved changes that will get lost on reboot!"
msgstr ""
msgid ""
"When using a PSK, the PMK can be generated locally without inter AP "
"communications"
msgstr ""
msgid "Whether to create an IPv6 default route over the tunnel"
msgstr ""
@ -3602,32 +3603,18 @@ msgstr ""
msgid "Wireless shut down"
msgstr ""
msgid ""
"Complicates key reinstallation attacks on the client side by disabling "
"retransmission of EAPOL-Key frames that are used to install keys. This "
"workaround might cause interoperability issues and reduced robustness of key "
"negotiation especially in environments with heavy traffic load."
msgstr ""
msgid "Write received DNS requests to syslog"
msgstr ""
msgid "Write system log to file"
msgstr ""
msgid "XR Support"
msgstr ""
msgid ""
"You can enable or disable installed init scripts here. Changes will applied "
"after a device reboot.<br /><strong>Warning: If you disable essential init "
"scripts like \"network\", your device might become inaccessible!</strong>"
msgstr ""
msgid ""
"You must enable Java Script in your browser or LuCI will not work properly."
msgstr ""
msgid ""
"You must enable JavaScript in your browser or LuCI will not work properly."
msgstr "אתה חייב להפעיל את JavaScript בדפדפן שלך; אחרת, LuCI לא יפעל כראוי."
@ -3742,6 +3729,9 @@ msgstr ""
msgid "overlay"
msgstr ""
msgid "random"
msgstr ""
msgid "relay mode"
msgstr ""
@ -3787,6 +3777,30 @@ msgstr "כן"
msgid "« Back"
msgstr "<< אחורה"
#~ msgid "Action"
#~ msgstr "פעולה"
#~ msgid "Buttons"
#~ msgstr "כפתורים"
#~ msgid "This page allows the configuration of custom button actions"
#~ msgstr "דף זה מאפשר להגדיר פעולות מיוחדות עבור הלחצנים."
#~ msgid "AR Support"
#~ msgstr "תמיכת AR"
#~ msgid "Atheros 802.11%s Wireless Controller"
#~ msgstr "שלט אלחוטי Atheros 802.11%s"
#~ msgid "Background Scan"
#~ msgstr "סריקת רקע"
#~ msgid "Compression"
#~ msgstr "דחיסה"
#~ msgid "Static WDS"
#~ msgstr "WDS סטטי"
#, fuzzy
#~ msgid "An additional network will be created if you leave this unchecked."
#~ msgstr "רשת נוספת תווצר אם תשאיר את זה לא מסומן"

View file

@ -11,6 +11,9 @@ msgstr ""
"Plural-Forms: nplurals=2; plural=(n != 1);\n"
"X-Generator: Pootle 2.0.6\n"
msgid "%.1f dB"
msgstr ""
msgid "%s is untagged in multiple VLANs!"
msgstr ""
@ -130,6 +133,9 @@ msgstr "<abbr title=\"Light Emitting Diode\">LED</abbr> Név"
msgid "<abbr title=\"Media Access Control\">MAC</abbr>-Address"
msgstr "<abbr title=\"Media Access Control\">MAC</abbr>-cím"
msgid "<abbr title=\"The DHCP Unique Identifier\">DUID</abbr>"
msgstr ""
msgid ""
"<abbr title=\"maximal\">Max.</abbr> <abbr title=\"Dynamic Host Configuration "
"Protocol\">DHCP</abbr> leases"
@ -173,9 +179,6 @@ msgstr ""
msgid "APN"
msgstr "APN"
msgid "AR Support"
msgstr "AR Támogatás"
msgid "ARP retry threshold"
msgstr "ARP újrapróbálkozási küszöbérték"
@ -215,9 +218,6 @@ msgstr "Elérési központ"
msgid "Access Point"
msgstr "Hozzáférési pont"
msgid "Action"
msgstr "Művelet"
msgid "Actions"
msgstr "Műveletek"
@ -293,6 +293,9 @@ msgstr ""
msgid "Allow all except listed"
msgstr "Összes engedélyezése a felsoroltakon kívül"
msgid "Allow legacy 802.11b rates"
msgstr ""
msgid "Allow listed only"
msgstr "Csak a felsoroltak engedélyezése"
@ -422,9 +425,6 @@ msgstr ""
msgid "Associated Stations"
msgstr "Kapcsolódó kliensek"
msgid "Atheros 802.11%s Wireless Controller"
msgstr "Atheros 802.11%s vezeték-nélküli vezérlő"
msgid "Auth Group"
msgstr ""
@ -500,9 +500,6 @@ msgstr "Vissza az áttekintéshez"
msgid "Back to scan results"
msgstr "Vissza a felderítési eredményekhez"
msgid "Background Scan"
msgstr "Felderítés a háttérben"
msgid "Backup / Flash Firmware"
msgstr "Mentés / Firmware frissítés"
@ -572,9 +569,6 @@ msgid ""
"preserved in any sysupgrade."
msgstr ""
msgid "Buttons"
msgstr "Gombok"
msgid "CA certificate; if empty it will be saved after the first connection."
msgstr ""
@ -606,7 +600,7 @@ msgstr "Csatorna"
msgid "Check"
msgstr "Ellenőrzés"
msgid "Check fileystems before mount"
msgid "Check filesystems before mount"
msgstr ""
msgid "Check this option to delete the existing networks from this radio."
@ -675,8 +669,12 @@ msgstr "Parancs"
msgid "Common Configuration"
msgstr "Álatános beállítás"
msgid "Compression"
msgstr "Tömörítés"
msgid ""
"Complicates key reinstallation attacks on the client side by disabling "
"retransmission of EAPOL-Key frames that are used to install keys. This "
"workaround might cause interoperability issues and reduced robustness of key "
"negotiation especially in environments with heavy traffic load."
msgstr ""
msgid "Configuration"
msgstr "Beállítás"
@ -897,9 +895,6 @@ msgstr "DNS beállítás letiltása"
msgid "Disable Encryption"
msgstr ""
msgid "Disable HW-Beacon timer"
msgstr "Hardveres beacon időzítő letiltása"
msgid "Disabled"
msgstr "Letiltva"
@ -946,9 +941,6 @@ msgstr ""
msgid "Do not forward reverse lookups for local networks"
msgstr "Ne továbbítson fordított keresési kéréseket a helyi hálózathoz"
msgid "Do not send probe responses"
msgstr "Ne válaszoljon a szondázásra"
msgid "Domain required"
msgstr "Tartomány szükséges"
@ -971,6 +963,9 @@ msgstr "Csomag letöltése és telepítése"
msgid "Download backup"
msgstr "Biztonsági mentés letöltése"
msgid "Downstream SNR offset"
msgstr ""
msgid "Dropbear Instance"
msgstr "Dropbear példány"
@ -1153,8 +1148,14 @@ msgstr ""
msgid "Extra SSH command options"
msgstr ""
msgid "Fast Frames"
msgstr "Gyors keretek"
msgid "FT over DS"
msgstr ""
msgid "FT over the Air"
msgstr ""
msgid "FT protocol"
msgstr ""
msgid "File"
msgstr "Fájl"
@ -1191,6 +1192,9 @@ msgstr "Befejezés"
msgid "Firewall"
msgstr "Tűzfal"
msgid "Firewall Mark"
msgstr ""
msgid "Firewall Settings"
msgstr "Tűzfal Beállítások"
@ -1238,6 +1242,9 @@ msgstr "TKIP kényszerítése"
msgid "Force TKIP and CCMP (AES)"
msgstr "TKIP és CCMP (AES) kényszerítése"
msgid "Force link"
msgstr ""
msgid "Force use of NAT-T"
msgstr ""
@ -1253,6 +1260,9 @@ msgstr ""
msgid "Forward broadcast traffic"
msgstr "Broadcast forgalom továbbítás"
msgid "Forward mesh peer traffic"
msgstr ""
msgid "Forwarding mode"
msgstr "Továbbítás módja"
@ -1297,6 +1307,9 @@ msgstr ""
msgid "Generate Config"
msgstr ""
msgid "Generate PMK locally"
msgstr ""
msgid "Generate archive"
msgstr "Archívum készítése"
@ -1333,9 +1346,6 @@ msgstr ""
msgid "HT mode (802.11n)"
msgstr ""
msgid "Handler"
msgstr "Kezelő"
msgid "Hang Up"
msgstr "Befejezés"
@ -1506,7 +1516,7 @@ msgstr "IPv6 IPv4 felett (6to4)"
msgid "Identity"
msgstr "Identitás"
msgid "If checked, 1DES is enaled"
msgid "If checked, 1DES is enabled"
msgstr ""
msgid "If checked, encryption is disabled"
@ -1648,6 +1658,9 @@ msgstr ""
msgid "Invalid username and/or password! Please try again."
msgstr "Érvénytelen felhasználói név és/vagy jelszó! Kérem próbálja újra!"
msgid "Isolate Clients"
msgstr ""
#, fuzzy
msgid ""
"It appears that you are trying to flash an image that does not fit into the "
@ -1656,9 +1669,6 @@ msgstr ""
"Úgy tűnik, hogy a flash-elendő kép-file nem fér el a Flash-memóriába. Kérem "
"ellenőrizze a kép fájlt!"
msgid "Java Script required!"
msgstr ""
msgid "JavaScript required!"
msgstr "JavaScript szükséges!"
@ -1929,9 +1939,6 @@ msgstr ""
msgid "Max. Attainable Data Rate (ATTNDR)"
msgstr ""
msgid "Maximum Rate"
msgstr "Maximális sebesség"
msgid "Maximum allowed number of active DHCP leases"
msgstr "Aktív DHCP bérletek maximális száma"
@ -1944,9 +1951,6 @@ msgstr "EDNS.0 UDP csomagok maximális mérete"
msgid "Maximum amount of seconds to wait for the modem to become ready"
msgstr "Maximális várakozási idő a modem kész állapotára (másodpercben)"
msgid "Maximum hold time"
msgstr "Maximális tartási idő"
msgid ""
"Maximum length of the name is 15 characters including the automatic protocol/"
"bridge prefix (br-, 6in4-, pppoe- etc.)"
@ -1964,15 +1968,12 @@ msgstr "Memória"
msgid "Memory usage (%)"
msgstr "Memória használat (%)"
msgid "Mesh Id"
msgstr ""
msgid "Metric"
msgstr "Metrika"
msgid "Minimum Rate"
msgstr "Minimális sebesség"
msgid "Minimum hold time"
msgstr "Minimális tartási idő"
msgid "Mirror monitor port"
msgstr ""
@ -2043,9 +2044,6 @@ msgstr "Mozgatás lefelé"
msgid "Move up"
msgstr "Mozgatás felfelé"
msgid "Multicast Rate"
msgstr "Multicast sebesség"
msgid "Multicast address"
msgstr "Multicast cím"
@ -2058,6 +2056,9 @@ msgstr ""
msgid "NAT64 Prefix"
msgstr ""
msgid "NCM"
msgstr ""
msgid "NDP-Proxy"
msgstr ""
@ -2247,8 +2248,8 @@ msgid "Optional, use when the SIXXS account has more than one tunnel"
msgstr ""
msgid ""
"Optional. Adds in an additional layer of symmetric-key cryptography for post-"
"quantum resistance."
"Optional. 32-bit mark for outgoing encrypted packets. Enter value in hex, "
"starting with <code>0x</code>."
msgstr ""
msgid ""
@ -2258,6 +2259,11 @@ msgid ""
"for the interface."
msgstr ""
msgid ""
"Optional. Base64-encoded preshared key. Adds in an additional layer of "
"symmetric-key cryptography for post-quantum resistance."
msgstr ""
msgid "Optional. Create routes for Allowed IPs for this peer."
msgstr ""
@ -2292,9 +2298,6 @@ msgstr "Ki"
msgid "Outbound:"
msgstr "Kimenő:"
msgid "Outdoor Channels"
msgstr "Kültéri csatornák"
msgid "Output Interface"
msgstr ""
@ -2416,9 +2419,6 @@ msgstr "Kliens tanúsítvány elérési útja"
msgid "Path to Private Key"
msgstr "A privát kulcs elérési útja"
msgid "Path to executable which handles the button event"
msgstr "A gomb eseményeit kezelő végrehajtható állomány elérési útja"
msgid "Path to inner CA-Certificate"
msgstr ""
@ -2479,6 +2479,12 @@ msgstr ""
msgid "Pre-emtive CRC errors (CRCP_P)"
msgstr ""
msgid "Prefer LTE"
msgstr ""
msgid "Prefer UMTS"
msgstr ""
msgid "Prefix Delegated"
msgstr ""
@ -2682,9 +2688,6 @@ msgstr "Interfész újracsatlakoztatása"
msgid "References"
msgstr "Hivatkozások"
msgid "Regulatory Domain"
msgstr "Szabályozó tartomány"
msgid "Relay"
msgstr "Átjátszás"
@ -2734,15 +2737,15 @@ msgstr ""
msgid "Required. Base64-encoded private key for this interface."
msgstr ""
msgid "Required. Base64-encoded public key of peer."
msgstr ""
msgid ""
"Required. IP addresses and prefixes that this peer is allowed to use inside "
"the tunnel. Usually the peer's tunnel IP addresses and the networks the peer "
"routes through the tunnel."
msgstr ""
msgid "Required. Public key of peer."
msgstr ""
msgid ""
"Requires the 'full' version of wpad/hostapd and support from the wifi driver "
"<br />(as of Feb 2017: ath9k and ath10k, in LEDE also mwlwifi and mt76)"
@ -2889,9 +2892,6 @@ msgstr ""
msgid "Separate Clients"
msgstr "Kliensek szétválasztása"
msgid "Separate WDS"
msgstr "WDS szétválasztása"
msgid "Server Settings"
msgstr "Kiszolgáló beállításai"
@ -2915,6 +2915,11 @@ msgstr "Szolgáltatás típusa"
msgid "Services"
msgstr "Szolgáltatások"
msgid ""
"Set interface properties regardless of the link carrier (If set, carrier "
"sense events do not invoke hotplug handlers)."
msgstr ""
#, fuzzy
msgid "Set up Time Synchronization"
msgstr "Idő szinkronizálás beállítása"
@ -2997,9 +3002,6 @@ msgstr "Forrás"
msgid "Source routing"
msgstr ""
msgid "Specifies the button state to handle"
msgstr "Meghatározza a gomb kezelendő állapotát"
msgid "Specifies the directory the device is attached to"
msgstr "Megadja az eszköz csatlakozási könyvtárát."
@ -3056,9 +3058,6 @@ msgstr "Statikus bérletek"
msgid "Static Routes"
msgstr "Statikus útvonalak"
msgid "Static WDS"
msgstr "Statikus WDS"
msgid "Static address"
msgstr "Statikus cím"
@ -3109,6 +3108,9 @@ msgid ""
"Switch %q has an unknown topology - the VLAN settings might not be accurate."
msgstr ""
msgid "Switch Port Mask"
msgstr ""
msgid "Switch VLAN"
msgstr ""
@ -3408,9 +3410,6 @@ msgstr ""
"Ez a lista a rendszerben jelenleg futó folyamatokról és azok állapotáról ad "
"áttekintést."
msgid "This page allows the configuration of custom button actions"
msgstr "Ez a lap a gombok egyedi működésének beállítását teszi lehetővé"
msgid "This page gives an overview over currently active network connections."
msgstr ""
"Ez a lap a rendszerben jelenleg aktív hálózati kapcsolatokról ad áttekintést."
@ -3485,9 +3484,6 @@ msgstr ""
msgid "Tunnel type"
msgstr ""
msgid "Turbo Mode"
msgstr "Turbó mód"
msgid "Tx-Power"
msgstr "Adóteljesítmény"
@ -3601,9 +3597,9 @@ msgstr "Útválasztó tábla használata"
msgid ""
"Use the <em>Add</em> Button to add a new lease entry. The <em>MAC-Address</"
"em> indentifies the host, the <em>IPv4-Address</em> specifies to the fixed "
"address to use and the <em>Hostname</em> is assigned as symbolic name to the "
"requesting host. The optional <em>Lease time</em> can be used to set non-"
"em> indentifies the host, the <em>IPv4-Address</em> specifies the fixed "
"address to use, and the <em>Hostname</em> is assigned as a symbolic name to "
"the requesting host. The optional <em>Lease time</em> can be used to set non-"
"standard host-specific lease time, e.g. 12h, 3d or infinite."
msgstr ""
"Használja a <em>Hozzáadás</em> gombot új bérleti bejegyzés hozzáadásához. A "
@ -3723,6 +3719,11 @@ msgstr "Figyelmeztetés"
msgid "Warning: There are unsaved changes that will get lost on reboot!"
msgstr ""
msgid ""
"When using a PSK, the PMK can be generated locally without inter AP "
"communications"
msgstr ""
msgid "Whether to create an IPv6 default route over the tunnel"
msgstr ""
@ -3768,22 +3769,12 @@ msgstr "Vezetéknélküli rész újraindítva"
msgid "Wireless shut down"
msgstr "Vezetéknélküli rész leállítása"
msgid ""
"Complicates key reinstallation attacks on the client side by disabling "
"retransmission of EAPOL-Key frames that are used to install keys. This "
"workaround might cause interoperability issues and reduced robustness of key "
"negotiation especially in environments with heavy traffic load."
msgstr ""
msgid "Write received DNS requests to syslog"
msgstr "A kapott DNS kéréseket írja a rendszernaplóba"
msgid "Write system log to file"
msgstr ""
msgid "XR Support"
msgstr "XR támogatás"
msgid ""
"You can enable or disable installed init scripts here. Changes will applied "
"after a device reboot.<br /><strong>Warning: If you disable essential init "
@ -3794,10 +3785,6 @@ msgstr ""
"><strong>Figyelem: alapvető indítási állomány pl. \"network\" letiltása "
"esetén, az eszköz elérhetetlenné válhat!</strong>"
msgid ""
"You must enable Java Script in your browser or LuCI will not work properly."
msgstr ""
msgid ""
"You must enable JavaScript in your browser or LuCI will not work properly."
msgstr ""
@ -3916,6 +3903,9 @@ msgstr "nyitás"
msgid "overlay"
msgstr ""
msgid "random"
msgstr ""
msgid "relay mode"
msgstr ""
@ -3961,9 +3951,81 @@ msgstr "igen"
msgid "« Back"
msgstr "« Vissza"
#~ msgid "Action"
#~ msgstr "Művelet"
#~ msgid "Buttons"
#~ msgstr "Gombok"
#~ msgid "Handler"
#~ msgstr "Kezelő"
#~ msgid "Maximum hold time"
#~ msgstr "Maximális tartási idő"
#~ msgid "Minimum hold time"
#~ msgstr "Minimális tartási idő"
#~ msgid "Path to executable which handles the button event"
#~ msgstr "A gomb eseményeit kezelő végrehajtható állomány elérési útja"
#~ msgid "Specifies the button state to handle"
#~ msgstr "Meghatározza a gomb kezelendő állapotát"
#~ msgid "This page allows the configuration of custom button actions"
#~ msgstr "Ez a lap a gombok egyedi működésének beállítását teszi lehetővé"
#~ msgid "Leasetime"
#~ msgstr "Bérlet időtartama"
#~ msgid "AR Support"
#~ msgstr "AR Támogatás"
#~ msgid "Atheros 802.11%s Wireless Controller"
#~ msgstr "Atheros 802.11%s vezeték-nélküli vezérlő"
#~ msgid "Background Scan"
#~ msgstr "Felderítés a háttérben"
#~ msgid "Compression"
#~ msgstr "Tömörítés"
#~ msgid "Disable HW-Beacon timer"
#~ msgstr "Hardveres beacon időzítő letiltása"
#~ msgid "Do not send probe responses"
#~ msgstr "Ne válaszoljon a szondázásra"
#~ msgid "Fast Frames"
#~ msgstr "Gyors keretek"
#~ msgid "Maximum Rate"
#~ msgstr "Maximális sebesség"
#~ msgid "Minimum Rate"
#~ msgstr "Minimális sebesség"
#~ msgid "Multicast Rate"
#~ msgstr "Multicast sebesség"
#~ msgid "Outdoor Channels"
#~ msgstr "Kültéri csatornák"
#~ msgid "Regulatory Domain"
#~ msgstr "Szabályozó tartomány"
#~ msgid "Separate WDS"
#~ msgstr "WDS szétválasztása"
#~ msgid "Static WDS"
#~ msgstr "Statikus WDS"
#~ msgid "Turbo Mode"
#~ msgstr "Turbó mód"
#~ msgid "XR Support"
#~ msgstr "XR támogatás"
#~ msgid "An additional network will be created if you leave this unchecked."
#~ msgstr "Amennyiben ezt jelöletlenül hagyja, egy további hálózat jön létre"

File diff suppressed because it is too large Load diff

View file

@ -3,16 +3,19 @@ msgstr ""
"Project-Id-Version: \n"
"Report-Msgid-Bugs-To: \n"
"POT-Creation-Date: 2009-06-10 03:40+0200\n"
"PO-Revision-Date: 2017-04-03 02:32+0900\n"
"PO-Revision-Date: 2017-10-20 13:54+0900\n"
"Last-Translator: INAGAKI Hiroshi <musashino.open@gmail.com>\n"
"Language: ja\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
"Content-Transfer-Encoding: 8bit\n"
"Plural-Forms: nplurals=1; plural=0;\n"
"X-Generator: Poedit 2.0\n"
"X-Generator: Poedit 2.0.4\n"
"Language-Team: \n"
msgid "%.1f dB"
msgstr ""
msgid "%s is untagged in multiple VLANs!"
msgstr "%s は複数のVLANにUntaggedしています!"
@ -44,7 +47,7 @@ msgid "-- match by label --"
msgstr "-- ラベルを指定 --"
msgid "-- match by uuid --"
msgstr "-- UUIDを指定 --"
msgstr "-- UUID を指定 --"
msgid "1 Minute Load:"
msgstr "過去1分の負荷:"
@ -133,6 +136,9 @@ msgstr "<abbr title=\"Light Emitting Diode\">LED</abbr> 名"
msgid "<abbr title=\"Media Access Control\">MAC</abbr>-Address"
msgstr "<abbr title=\"Media Access Control\">MAC</abbr>-アドレス"
msgid "<abbr title=\"The DHCP Unique Identifier\">DUID</abbr>"
msgstr ""
msgid ""
"<abbr title=\"maximal\">Max.</abbr> <abbr title=\"Dynamic Host Configuration "
"Protocol\">DHCP</abbr> leases"
@ -157,28 +163,27 @@ msgid ""
"<br/>Note: you need to manually restart the cron service if the crontab file "
"was empty before editing."
msgstr ""
"<br />注意: 編集前の crontab ファイルが空の場合、手動で cron サービスの再起動"
"を行う必要があります。"
msgid "A43C + J43 + A43"
msgstr ""
msgstr "A43C + J43 + A43"
msgid "A43C + J43 + A43 + V43"
msgstr ""
msgstr "A43C + J43 + A43 + V43"
msgid "ADSL"
msgstr "ADSL"
msgid "AICCU (SIXXS)"
msgstr ""
msgstr "AICCU (SIXXS)"
msgid "ANSI T1.413"
msgstr ""
msgstr "ANSI T1.413"
msgid "APN"
msgstr "APN"
msgid "AR Support"
msgstr "ARサポート"
msgid "ARP retry threshold"
msgstr "ARP再試行しきい値"
@ -215,9 +220,6 @@ msgstr "Access Concentrator"
msgid "Access Point"
msgstr "アクセスポイント"
msgid "Action"
msgstr "動作"
msgid "Actions"
msgstr "動作"
@ -286,11 +288,14 @@ msgid "Allocate IP sequentially"
msgstr ""
msgid "Allow <abbr title=\"Secure Shell\">SSH</abbr> password authentication"
msgstr "<abbr title=\"Secure Shell\">SSH</abbr> パスワード認証を許可します"
msgstr "<abbr title=\"Secure Shell\">SSH</abbr> パスワード認証を許可します"
msgid "Allow all except listed"
msgstr "リスト内の端末からのアクセスを禁止"
msgid "Allow legacy 802.11b rates"
msgstr ""
msgid "Allow listed only"
msgstr "リスト内の端末からのアクセスを許可"
@ -299,13 +304,13 @@ msgstr "ローカルホストを許可する"
msgid "Allow remote hosts to connect to local SSH forwarded ports"
msgstr ""
"リモートホストがSSH転送されたローカルのポートに接続することを許可します"
"リモートホストがSSH転送されたローカルのポートに接続することを許可します"
msgid "Allow root logins with password"
msgstr "パスワードを使用したroot権限でのログインを許可する"
msgstr "パスワードでの root ログインを許可"
msgid "Allow the <em>root</em> user to login with password"
msgstr "パスワードを使用した<em>root</em>権限でのログインを許可する"
msgstr "パスワードを使用した <em>root</em> 権限でのログインを許可します。"
msgid ""
"Allow upstream responses in the 127.0.0.0/8 range, e.g. for RBL services"
@ -410,7 +415,7 @@ msgid ""
msgstr ""
msgid "Assign interfaces..."
msgstr ""
msgstr "インターフェースの割当て..."
msgid ""
"Assign prefix parts using this hexadecimal subprefix ID for this interface."
@ -419,9 +424,6 @@ msgstr ""
msgid "Associated Stations"
msgstr "認証済み端末"
msgid "Atheros 802.11%s Wireless Controller"
msgstr "Atheros 802.11%s 無線LANコントローラ"
msgid "Auth Group"
msgstr "認証グループ"
@ -497,9 +499,6 @@ msgstr "概要へ戻る"
msgid "Back to scan results"
msgstr "スキャン結果へ戻る"
msgid "Background Scan"
msgstr "バックグラウンドスキャン"
msgid "Backup / Flash Firmware"
msgstr "バックアップ / ファームウェア更新"
@ -524,8 +523,8 @@ msgid ""
"defined backup patterns."
msgstr ""
"以下は、バックアップの際に含まれるファイルのリストです。このリストは、opkgに"
"よって認識されている設定ファイル、重要なベースファイル、ユーザーが設定した"
"規表現に一致したファイルの一覧です。"
"よって認識されている設定ファイル、重要なベースファイル、ユーザーが設定した"
"ターンに一致したファイルの一覧です。"
msgid "Bind interface"
msgstr ""
@ -568,11 +567,8 @@ msgid ""
"Build/distribution specific feed definitions. This file will NOT be "
"preserved in any sysupgrade."
msgstr ""
"ビルド/ディストリビューション固有のフィード定義です。このファイルはsysupgrade"
"の際に引き継がれません。"
msgid "Buttons"
msgstr "ボタン"
"ビルド / ディストリビューション固有のフィード定義です。このファイルは"
"sysupgradeの際に引き継がれません。"
msgid "CA certificate; if empty it will be saved after the first connection."
msgstr "CA証明書空白の場合、初回の接続後に保存されます。"
@ -604,7 +600,7 @@ msgstr "チャネル"
msgid "Check"
msgstr "チェック"
msgid "Check fileystems before mount"
msgid "Check filesystems before mount"
msgstr "マウント前にファイルシステムをチェックする"
msgid "Check this option to delete the existing networks from this radio."
@ -673,8 +669,16 @@ msgstr "コマンド"
msgid "Common Configuration"
msgstr "一般設定"
msgid "Compression"
msgstr "圧縮"
msgid ""
"Complicates key reinstallation attacks on the client side by disabling "
"retransmission of EAPOL-Key frames that are used to install keys. This "
"workaround might cause interoperability issues and reduced robustness of key "
"negotiation especially in environments with heavy traffic load."
msgstr ""
"キーのインストールに使用される EAPOL キーフレームの再送信を無効にすることによ"
"り、クライアント サイドの Key Reinstallation Attacks (KRACK) を困難にします。"
"この回避策は、相互運用性の問題や、特に高負荷のトラフィック環境下におけるキー "
"ネゴシエーションの信頼性低下の原因となることがあります。"
msgid "Configuration"
msgstr "設定"
@ -870,7 +874,7 @@ msgid "Device is rebooting..."
msgstr "デバイスを再起動中です..."
msgid "Device unreachable"
msgstr ""
msgstr "デバイスに到達できません"
msgid "Diagnostics"
msgstr "診断機能"
@ -897,9 +901,6 @@ msgstr "DNSセットアップを無効にする"
msgid "Disable Encryption"
msgstr "暗号化を無効にする"
msgid "Disable HW-Beacon timer"
msgstr "HWビーコンタイマーを無効にする"
msgid "Disabled"
msgstr "無効"
@ -945,9 +946,6 @@ msgstr "パブリック DNSサーバーが返答できなかったリクエス
msgid "Do not forward reverse lookups for local networks"
msgstr "ローカル ネットワークへの逆引きを転送しません"
msgid "Do not send probe responses"
msgstr "プローブレスポンスを送信しない"
msgid "Domain required"
msgstr "ドメイン必須"
@ -970,6 +968,9 @@ msgstr "パッケージのダウンロードとインストール"
msgid "Download backup"
msgstr "バックアップ アーカイブのダウンロード"
msgid "Downstream SNR offset"
msgstr ""
msgid "Dropbear Instance"
msgstr "Dropbear設定"
@ -1054,16 +1055,16 @@ msgid "Enable WPS pushbutton, requires WPA(2)-PSK"
msgstr "WPS プッシュボタンを有効化するには、WPA(2)-PSKが必要です。"
msgid "Enable key reinstallation (KRACK) countermeasures"
msgstr ""
msgstr "Key Reinstallation (KRACK) 対策の有効化"
msgid "Enable learning and aging"
msgstr "ラーニング エイジング機能を有効にする"
msgid "Enable mirroring of incoming packets"
msgstr ""
msgstr "受信パケットのミラーリングを有効化"
msgid "Enable mirroring of outgoing packets"
msgstr ""
msgstr "送信パケットのミラーリングを有効化"
msgid "Enable the DF (Don't Fragment) flag of the encapsulating packets."
msgstr ""
@ -1151,8 +1152,14 @@ msgstr "外部システムログ・サーバー プロトコル"
msgid "Extra SSH command options"
msgstr "拡張 SSHコマンドオプション"
msgid "Fast Frames"
msgstr "ファスト・フレーム"
msgid "FT over DS"
msgstr ""
msgid "FT over the Air"
msgstr ""
msgid "FT protocol"
msgstr ""
msgid "File"
msgstr "ファイル"
@ -1191,6 +1198,9 @@ msgstr "終了"
msgid "Firewall"
msgstr "ファイアウォール"
msgid "Firewall Mark"
msgstr ""
msgid "Firewall Settings"
msgstr "ファイアウォール設定"
@ -1237,6 +1247,9 @@ msgstr "TKIP を使用"
msgid "Force TKIP and CCMP (AES)"
msgstr "TKIP 及びCCMP (AES) を使用"
msgid "Force link"
msgstr "強制リンク"
msgid "Force use of NAT-T"
msgstr "NAT-Tの強制使用"
@ -1252,6 +1265,9 @@ msgstr ""
msgid "Forward broadcast traffic"
msgstr "ブロードキャスト トラフィックを転送する"
msgid "Forward mesh peer traffic"
msgstr ""
msgid "Forwarding mode"
msgstr "転送モード"
@ -1298,6 +1314,9 @@ msgstr "opkgの一般設定"
msgid "Generate Config"
msgstr "コンフィグ生成"
msgid "Generate PMK locally"
msgstr ""
msgid "Generate archive"
msgstr "バックアップ アーカイブの作成"
@ -1334,9 +1353,6 @@ msgstr "HE.net ユーザー名"
msgid "HT mode (802.11n)"
msgstr "HT モード (802.11n)"
msgid "Handler"
msgstr "ハンドラ"
msgid "Hang Up"
msgstr "再起動"
@ -1485,7 +1501,7 @@ msgid "IPv6 routed prefix"
msgstr ""
msgid "IPv6 suffix"
msgstr ""
msgstr "IPv6 サフィックス"
msgid "IPv6-Address"
msgstr "IPv6-アドレス"
@ -1505,7 +1521,7 @@ msgstr "IPv6-over-IPv4 (6to4)"
msgid "Identity"
msgstr "識別子"
msgid "If checked, 1DES is enaled"
msgid "If checked, 1DES is enabled"
msgstr ""
msgid "If checked, encryption is disabled"
@ -1644,6 +1660,9 @@ msgid "Invalid username and/or password! Please try again."
msgstr ""
"ユーザー名かパスワード、もしくは両方が不正です!もう一度入力してください。"
msgid "Isolate Clients"
msgstr ""
msgid ""
"It appears that you are trying to flash an image that does not fit into the "
"flash memory, please verify the image file!"
@ -1651,9 +1670,6 @@ msgstr ""
"更新しようとしたイメージファイルはこのフラッシュメモリに適合しません。イメー"
"ジファイルを確認してください!"
msgid "Java Script required!"
msgstr ""
msgid "JavaScript required!"
msgstr "JavaScriptを有効にしてください!"
@ -1920,9 +1936,6 @@ msgstr "手動"
msgid "Max. Attainable Data Rate (ATTNDR)"
msgstr ""
msgid "Maximum Rate"
msgstr "最大レート"
msgid "Maximum allowed number of active DHCP leases"
msgstr "DHCPリースの許可される最大数"
@ -1935,9 +1948,6 @@ msgstr "EDNS.0 UDP パケットサイズの許可される最大数"
msgid "Maximum amount of seconds to wait for the modem to become ready"
msgstr "モデムが準備完了状態になるまでの最大待ち時間"
msgid "Maximum hold time"
msgstr "最大保持時間"
msgid ""
"Maximum length of the name is 15 characters including the automatic protocol/"
"bridge prefix (br-, 6in4-, pppoe- etc.)"
@ -1957,20 +1967,17 @@ msgstr "メモリー"
msgid "Memory usage (%)"
msgstr "メモリ使用率 (%)"
msgid "Mesh Id"
msgstr ""
msgid "Metric"
msgstr "メトリック"
msgid "Minimum Rate"
msgstr "最小レート"
msgid "Minimum hold time"
msgstr "最短保持時間"
msgid "Mirror monitor port"
msgstr ""
msgstr "ミラー監視ポート"
msgid "Mirror source port"
msgstr ""
msgstr "ミラー元ポート"
msgid "Missing protocol extension for proto %q"
msgstr "プロトコル %qのプロトコル拡張が見つかりません"
@ -2036,9 +2043,6 @@ msgstr "下へ"
msgid "Move up"
msgstr "上へ"
msgid "Multicast Rate"
msgstr "マルチキャストレート"
msgid "Multicast address"
msgstr "マルチキャスト アドレス"
@ -2051,6 +2055,9 @@ msgstr "NAT-T モード"
msgid "NAT64 Prefix"
msgstr "NAT64 プレフィクス"
msgid "NCM"
msgstr ""
msgid "NDP-Proxy"
msgstr "NDP-プロキシ"
@ -2088,7 +2095,7 @@ msgid "Network boot image"
msgstr "ネットワークブート用イメージ"
msgid "Network without interfaces."
msgstr ""
msgstr "インターフェースの無いネットワークです。"
msgid "Next »"
msgstr "次 »"
@ -2151,7 +2158,7 @@ msgid "Normal"
msgstr "標準"
msgid "Not Found"
msgstr ""
msgstr "見つかりません"
msgid "Not associated"
msgstr "アソシエーションされていません"
@ -2241,8 +2248,8 @@ msgid "Optional, use when the SIXXS account has more than one tunnel"
msgstr ""
msgid ""
"Optional. Adds in an additional layer of symmetric-key cryptography for post-"
"quantum resistance."
"Optional. 32-bit mark for outgoing encrypted packets. Enter value in hex, "
"starting with <code>0x</code>."
msgstr ""
msgid ""
@ -2252,6 +2259,11 @@ msgid ""
"for the interface."
msgstr ""
msgid ""
"Optional. Base64-encoded preshared key. Adds in an additional layer of "
"symmetric-key cryptography for post-quantum resistance."
msgstr ""
msgid "Optional. Create routes for Allowed IPs for this peer."
msgstr ""
@ -2290,9 +2302,6 @@ msgstr "アウト"
msgid "Outbound:"
msgstr "送信:"
msgid "Outdoor Channels"
msgstr "屋外用周波数"
msgid "Output Interface"
msgstr "出力インターフェース"
@ -2322,7 +2331,7 @@ msgstr ""
"ネットから計算されます。"
msgid "Override the table used for internal routes"
msgstr ""
msgstr "内部ルートに使用されるテーブルを上書きします。"
msgid "Overview"
msgstr "概要"
@ -2397,13 +2406,13 @@ msgid "Password of Private Key"
msgstr "秘密鍵のパスワード"
msgid "Password of inner Private Key"
msgstr ""
msgstr "秘密鍵のパスワード"
msgid "Password successfully changed!"
msgstr "パスワードを変更しました"
msgid "Password2"
msgstr ""
msgstr "パスワード2"
msgid "Path to CA-Certificate"
msgstr "CA証明書のパス"
@ -2414,17 +2423,14 @@ msgstr "クライアント証明書のパス"
msgid "Path to Private Key"
msgstr "秘密鍵のパス"
msgid "Path to executable which handles the button event"
msgstr "ボタンイベントをハンドルする実行ファイルのパス"
msgid "Path to inner CA-Certificate"
msgstr ""
msgstr "CA 証明書のパス"
msgid "Path to inner Client-Certificate"
msgstr ""
msgstr "クライアント証明書のパス"
msgid "Path to inner Private Key"
msgstr ""
msgstr "秘密鍵のパス"
msgid "Peak:"
msgstr "ピーク:"
@ -2477,6 +2483,12 @@ msgstr ""
msgid "Pre-emtive CRC errors (CRCP_P)"
msgstr ""
msgid "Prefer LTE"
msgstr ""
msgid "Prefer UMTS"
msgstr ""
msgid "Prefix Delegated"
msgstr "委任されたプレフィクス (PD)"
@ -2681,9 +2693,6 @@ msgstr "インターフェース再接続中"
msgid "References"
msgstr "参照カウンタ"
msgid "Regulatory Domain"
msgstr "規制ドメイン"
msgid "Relay"
msgstr "リレー"
@ -2732,15 +2741,15 @@ msgstr "DOCSIS 3.0を使用するいくつかのISPでは必要になります"
msgid "Required. Base64-encoded private key for this interface."
msgstr "このインターフェースに使用するBase64-エンコード 秘密鍵(必須)"
msgid "Required. Base64-encoded public key of peer."
msgstr ""
msgid ""
"Required. IP addresses and prefixes that this peer is allowed to use inside "
"the tunnel. Usually the peer's tunnel IP addresses and the networks the peer "
"routes through the tunnel."
msgstr ""
msgid "Required. Public key of peer."
msgstr "ピアの公開鍵(必須)"
msgid ""
"Requires the 'full' version of wpad/hostapd and support from the wifi driver "
"<br />(as of Feb 2017: ath9k and ath10k, in LEDE also mwlwifi and mt76)"
@ -2889,9 +2898,6 @@ msgstr ""
msgid "Separate Clients"
msgstr "クライアントの分離"
msgid "Separate WDS"
msgstr "WDSを分離する"
msgid "Server Settings"
msgstr "サーバー設定"
@ -2915,6 +2921,11 @@ msgstr "サービスタイプ"
msgid "Services"
msgstr "サービス"
msgid ""
"Set interface properties regardless of the link carrier (If set, carrier "
"sense events do not invoke hotplug handlers)."
msgstr ""
msgid "Set up Time Synchronization"
msgstr "時刻同期設定"
@ -2996,9 +3007,6 @@ msgstr "送信元"
msgid "Source routing"
msgstr ""
msgid "Specifies the button state to handle"
msgstr ""
msgid "Specifies the directory the device is attached to"
msgstr "デバイスが接続するディレクトリを設定します"
@ -3052,9 +3060,6 @@ msgstr "静的リース"
msgid "Static Routes"
msgstr "静的ルーティング"
msgid "Static WDS"
msgstr "静的WDS"
msgid "Static address"
msgstr "静的アドレス"
@ -3104,6 +3109,9 @@ msgid ""
"Switch %q has an unknown topology - the VLAN settings might not be accurate."
msgstr ""
msgid "Switch Port Mask"
msgstr ""
msgid "Switch VLAN"
msgstr ""
@ -3196,7 +3204,7 @@ msgstr ""
"<code>0-9</code>, <code>_</code>"
msgid "The configuration file could not be loaded due to the following error:"
msgstr ""
msgstr "設定ファイルは以下のエラーにより読み込めませんでした:"
msgid ""
"The device file of the memory or partition (<abbr title=\"for example\">e.g."
@ -3248,7 +3256,7 @@ msgid ""
msgstr ""
msgid "The length of the IPv6 prefix in bits"
msgstr ""
msgstr "IPv6 プレフィクスの長さ (bit) です。"
msgid "The local IPv4 address over which the tunnel is created (optional)."
msgstr ""
@ -3261,12 +3269,18 @@ msgid ""
"segments. Often there is by default one Uplink port for a connection to the "
"next greater network like the internet and other ports for a local network."
msgstr ""
"ネットワーク ポートは、コンピュータが他と直接通信することができる複数の "
"<abbr title=\"Virtual Local Area Network\">VLAN</abbr> にまとめることができま"
"す。 <abbr title=\"Virtual Local Area Network\">VLAN</abbr> は、異なるネット"
"ワーク セグメントの分離にしばしば用いられます。通常、インターネットなどより上"
"位のネットワークへの接続に使用するアップリンク ポートと、ローカル ネットワー"
"ク用のその他のポートが存在します。"
msgid "The selected protocol needs a device assigned"
msgstr "選択中のプロトコルを使用する場合、デバイスを設定する必要があります"
msgid "The submitted security token is invalid or already expired!"
msgstr ""
msgstr "送信されたセキュリティ トークンは無効もしくは期限切れです!"
msgid ""
"The system is erasing the configuration partition now and will reboot itself "
@ -3390,9 +3404,6 @@ msgstr ""
"このリストは現在システムで動作しているプロセスとそのステータスを表示していま"
"す。"
msgid "This page allows the configuration of custom button actions"
msgstr "このページでは、ボタンの動作を変更することができます。"
msgid "This page gives an overview over currently active network connections."
msgstr "このページでは、現在アクティブなネットワーク接続を表示します。"
@ -3466,9 +3477,6 @@ msgstr "トンネルセットアップ サーバー"
msgid "Tunnel type"
msgstr "トンネルタイプ"
msgid "Turbo Mode"
msgstr "ターボモード"
msgid "Tx-Power"
msgstr "送信電力"
@ -3494,7 +3502,7 @@ msgid "UUID"
msgstr "UUID"
msgid "Unable to dispatch"
msgstr ""
msgstr "ディスパッチできません"
msgid "Unavailable Seconds (UAS)"
msgstr ""
@ -3579,13 +3587,13 @@ msgid "Use gateway metric"
msgstr "ゲートウェイ メトリックを使用する"
msgid "Use routing table"
msgstr ""
msgstr "ルーティング テーブルの使用"
msgid ""
"Use the <em>Add</em> Button to add a new lease entry. The <em>MAC-Address</"
"em> indentifies the host, the <em>IPv4-Address</em> specifies to the fixed "
"address to use and the <em>Hostname</em> is assigned as symbolic name to the "
"requesting host. The optional <em>Lease time</em> can be used to set non-"
"em> indentifies the host, the <em>IPv4-Address</em> specifies the fixed "
"address to use, and the <em>Hostname</em> is assigned as a symbolic name to "
"the requesting host. The optional <em>Lease time</em> can be used to set non-"
"standard host-specific lease time, e.g. 12h, 3d or infinite."
msgstr ""
"<em>追加</em> ボタンを押して、新しくエントリーを作成してください。<em>MAC-ア"
@ -3605,10 +3613,10 @@ msgid ""
msgstr ""
msgid "User certificate (PEM encoded)"
msgstr ""
msgstr "ユーザー証明書PEM エンコード)"
msgid "User key (PEM encoded)"
msgstr ""
msgstr "ユーザー秘密鍵PEM エンコード)"
msgid "Username"
msgstr "ユーザー名"
@ -3620,7 +3628,7 @@ msgid "VDSL"
msgstr "VDSL"
msgid "VLANs on %q"
msgstr "%q上のVLANs"
msgstr "%q上のVLAN"
msgid "VLANs on %q (%s)"
msgstr "%q上のVLAN (%s)"
@ -3650,7 +3658,7 @@ msgid "Vendor Class to send when requesting DHCP"
msgstr "DHCPリクエスト送信時のベンダークラスを設定"
msgid "Verbose"
msgstr ""
msgstr "詳細"
msgid "Verbose logging by aiccu daemon"
msgstr ""
@ -3698,7 +3706,7 @@ msgid "Waiting for command to complete..."
msgstr "コマンド実行中です..."
msgid "Waiting for device..."
msgstr "デバイスの起動をお待ちください..."
msgstr "デバイスを起動中です..."
msgid "Warning"
msgstr "警告"
@ -3706,6 +3714,11 @@ msgstr "警告"
msgid "Warning: There are unsaved changes that will get lost on reboot!"
msgstr "警告: 再起動すると消えてしまう、保存されていない設定があります!"
msgid ""
"When using a PSK, the PMK can be generated locally without inter AP "
"communications"
msgstr ""
msgid "Whether to create an IPv6 default route over the tunnel"
msgstr ""
@ -3751,22 +3764,12 @@ msgstr "無線LAN機能の再起動"
msgid "Wireless shut down"
msgstr "無線LAN機能停止"
msgid ""
"Complicates key reinstallation attacks on the client side by disabling "
"retransmission of EAPOL-Key frames that are used to install keys. This "
"workaround might cause interoperability issues and reduced robustness of key "
"negotiation especially in environments with heavy traffic load."
msgstr ""
msgid "Write received DNS requests to syslog"
msgstr "受信したDNSリクエストをsyslogへ記録します"
msgid "Write system log to file"
msgstr "システムログをファイルに書き込む"
msgid "XR Support"
msgstr "XRサポート"
msgid ""
"You can enable or disable installed init scripts here. Changes will applied "
"after a device reboot.<br /><strong>Warning: If you disable essential init "
@ -3777,10 +3780,6 @@ msgstr ""
"スを無効にすると, ルーターにアクセスできなくなりますので、注意してください。"
"</strong>"
msgid ""
"You must enable Java Script in your browser or LuCI will not work properly."
msgstr ""
msgid ""
"You must enable JavaScript in your browser or LuCI will not work properly."
msgstr "JavaScriptを有効にしない場合、LuCIは正しく動作しません。"
@ -3874,7 +3873,7 @@ msgid "minimum 1280, maximum 1480"
msgstr "最小値 1280、最大値 1480"
msgid "minutes"
msgstr ""
msgstr ""
msgid "no"
msgstr "いいえ"
@ -3900,6 +3899,9 @@ msgstr "オープン"
msgid "overlay"
msgstr "オーバーレイ"
msgid "random"
msgstr ""
msgid "relay mode"
msgstr "リレー モード"
@ -3945,26 +3947,23 @@ msgstr "はい"
msgid "« Back"
msgstr "« 戻る"
#~ msgid "Leasetime"
#~ msgstr "リース時間"
#~ msgid "Action"
#~ msgstr "動作"
#~ msgid "Optional."
#~ msgstr "(オプション)"
#~ msgid "Buttons"
#~ msgstr "ボタン"
#~ msgid "automatic"
#~ msgstr "自動"
#~ msgid "Handler"
#~ msgstr "ハンドラ"
#~ msgid "An additional network will be created if you leave this unchecked."
#~ msgstr "チェックボックスがオフの場合、追加のネットワークが作成されます。"
#~ msgid "Maximum hold time"
#~ msgstr "最大保持時間"
#~ msgid "Join Network: Settings"
#~ msgstr "ネットワークに接続する: 設定"
#~ msgid "Minimum hold time"
#~ msgstr "最短保持時間"
#~ msgid "CPU"
#~ msgstr "CPU"
#~ msgid "Path to executable which handles the button event"
#~ msgstr "ボタンイベントをハンドルする実行ファイルのパス"
#~ msgid "Port %d"
#~ msgstr "ポート %d"
#~ msgid "VLAN Interface"
#~ msgstr "VLANインターフェース"
#~ msgid "This page allows the configuration of custom button actions"
#~ msgstr "このページでは、ボタンの動作を変更することができます。"

View file

@ -13,6 +13,9 @@ msgstr ""
"Plural-Forms: nplurals=2; plural=(n != 1);\n"
"X-Generator: Pootle 2.0.4\n"
msgid "%.1f dB"
msgstr ""
msgid "%s is untagged in multiple VLANs!"
msgstr ""
@ -128,6 +131,9 @@ msgstr "<abbr title=\"Light Emitting Diode\">LED</abbr> 이름"
msgid "<abbr title=\"Media Access Control\">MAC</abbr>-Address"
msgstr "<abbr title=\"Media Access Control\">MAC</abbr>-주소"
msgid "<abbr title=\"The DHCP Unique Identifier\">DUID</abbr>"
msgstr ""
msgid ""
"<abbr title=\"maximal\">Max.</abbr> <abbr title=\"Dynamic Host Configuration "
"Protocol\">DHCP</abbr> leases"
@ -171,9 +177,6 @@ msgstr ""
msgid "APN"
msgstr ""
msgid "AR Support"
msgstr ""
msgid "ARP retry threshold"
msgstr ""
@ -210,9 +213,6 @@ msgstr ""
msgid "Access Point"
msgstr ""
msgid "Action"
msgstr ""
msgid "Actions"
msgstr "관리 도구"
@ -286,6 +286,9 @@ msgstr "<abbr title=\"Secure Shell\">SSH</abbr> 암호 인증을 허용합니다
msgid "Allow all except listed"
msgstr ""
msgid "Allow legacy 802.11b rates"
msgstr ""
msgid "Allow listed only"
msgstr ""
@ -411,9 +414,6 @@ msgstr ""
msgid "Associated Stations"
msgstr "연결된 station 들"
msgid "Atheros 802.11%s Wireless Controller"
msgstr ""
msgid "Auth Group"
msgstr ""
@ -489,9 +489,6 @@ msgstr ""
msgid "Back to scan results"
msgstr ""
msgid "Background Scan"
msgstr ""
msgid "Backup / Flash Firmware"
msgstr "Firmware 백업 / Flash"
@ -562,9 +559,6 @@ msgstr ""
"Build/distribution 지정 feed 목록입니다. 이 파일의 내용은 sysupgrade 시 초기"
"화됩니다."
msgid "Buttons"
msgstr ""
msgid "CA certificate; if empty it will be saved after the first connection."
msgstr ""
@ -595,7 +589,7 @@ msgstr ""
msgid "Check"
msgstr ""
msgid "Check fileystems before mount"
msgid "Check filesystems before mount"
msgstr ""
msgid "Check this option to delete the existing networks from this radio."
@ -660,7 +654,11 @@ msgstr "명령어"
msgid "Common Configuration"
msgstr "공통 설정"
msgid "Compression"
msgid ""
"Complicates key reinstallation attacks on the client side by disabling "
"retransmission of EAPOL-Key frames that are used to install keys. This "
"workaround might cause interoperability issues and reduced robustness of key "
"negotiation especially in environments with heavy traffic load."
msgstr ""
msgid "Configuration"
@ -885,9 +883,6 @@ msgstr ""
msgid "Disable Encryption"
msgstr ""
msgid "Disable HW-Beacon timer"
msgstr ""
msgid "Disabled"
msgstr ""
@ -931,9 +926,6 @@ msgstr ""
msgid "Do not forward reverse lookups for local networks"
msgstr ""
msgid "Do not send probe responses"
msgstr ""
msgid "Domain required"
msgstr ""
@ -954,6 +946,9 @@ msgstr "패키지 다운로드 후 설치"
msgid "Download backup"
msgstr "백업 다운로드"
msgid "Downstream SNR offset"
msgstr ""
msgid "Dropbear Instance"
msgstr ""
@ -1132,7 +1127,13 @@ msgstr "외부 system log 서버 프로토콜"
msgid "Extra SSH command options"
msgstr ""
msgid "Fast Frames"
msgid "FT over DS"
msgstr ""
msgid "FT over the Air"
msgstr ""
msgid "FT protocol"
msgstr ""
msgid "File"
@ -1170,6 +1171,9 @@ msgstr ""
msgid "Firewall"
msgstr "방화벽"
msgid "Firewall Mark"
msgstr ""
msgid "Firewall Settings"
msgstr "방화벽 설정"
@ -1215,6 +1219,9 @@ msgstr ""
msgid "Force TKIP and CCMP (AES)"
msgstr ""
msgid "Force link"
msgstr ""
msgid "Force use of NAT-T"
msgstr ""
@ -1230,6 +1237,9 @@ msgstr ""
msgid "Forward broadcast traffic"
msgstr ""
msgid "Forward mesh peer traffic"
msgstr ""
msgid "Forwarding mode"
msgstr ""
@ -1274,6 +1284,9 @@ msgstr "opkg 명령의 기본 옵션들"
msgid "Generate Config"
msgstr ""
msgid "Generate PMK locally"
msgstr ""
msgid "Generate archive"
msgstr "아카이브 생성"
@ -1310,9 +1323,6 @@ msgstr ""
msgid "HT mode (802.11n)"
msgstr ""
msgid "Handler"
msgstr ""
msgid "Hang Up"
msgstr ""
@ -1482,7 +1492,7 @@ msgstr ""
msgid "Identity"
msgstr ""
msgid "If checked, 1DES is enaled"
msgid "If checked, 1DES is enabled"
msgstr ""
msgid "If checked, encryption is disabled"
@ -1612,14 +1622,14 @@ msgstr ""
msgid "Invalid username and/or password! Please try again."
msgstr ""
msgid "Isolate Clients"
msgstr ""
msgid ""
"It appears that you are trying to flash an image that does not fit into the "
"flash memory, please verify the image file!"
msgstr ""
msgid "Java Script required!"
msgstr ""
msgid "JavaScript required!"
msgstr ""
@ -1880,9 +1890,6 @@ msgstr ""
msgid "Max. Attainable Data Rate (ATTNDR)"
msgstr ""
msgid "Maximum Rate"
msgstr ""
msgid "Maximum allowed number of active DHCP leases"
msgstr "Active DHCP lease 건의 최대 허용 숫자"
@ -1895,9 +1902,6 @@ msgstr "허용된 최대 EDNS.0 UDP 패킷 크기"
msgid "Maximum amount of seconds to wait for the modem to become ready"
msgstr ""
msgid "Maximum hold time"
msgstr ""
msgid ""
"Maximum length of the name is 15 characters including the automatic protocol/"
"bridge prefix (br-, 6in4-, pppoe- etc.)"
@ -1915,15 +1919,12 @@ msgstr "메모리"
msgid "Memory usage (%)"
msgstr "메모리 사용량 (%)"
msgid "Mesh Id"
msgstr ""
msgid "Metric"
msgstr ""
msgid "Minimum Rate"
msgstr ""
msgid "Minimum hold time"
msgstr ""
msgid "Mirror monitor port"
msgstr ""
@ -1992,9 +1993,6 @@ msgstr ""
msgid "Move up"
msgstr ""
msgid "Multicast Rate"
msgstr ""
msgid "Multicast address"
msgstr ""
@ -2007,6 +2005,9 @@ msgstr ""
msgid "NAT64 Prefix"
msgstr ""
msgid "NCM"
msgstr ""
msgid "NDP-Proxy"
msgstr ""
@ -2197,8 +2198,8 @@ msgid "Optional, use when the SIXXS account has more than one tunnel"
msgstr ""
msgid ""
"Optional. Adds in an additional layer of symmetric-key cryptography for post-"
"quantum resistance."
"Optional. 32-bit mark for outgoing encrypted packets. Enter value in hex, "
"starting with <code>0x</code>."
msgstr ""
msgid ""
@ -2208,6 +2209,11 @@ msgid ""
"for the interface."
msgstr ""
msgid ""
"Optional. Base64-encoded preshared key. Adds in an additional layer of "
"symmetric-key cryptography for post-quantum resistance."
msgstr ""
msgid "Optional. Create routes for Allowed IPs for this peer."
msgstr ""
@ -2242,9 +2248,6 @@ msgstr ""
msgid "Outbound:"
msgstr ""
msgid "Outdoor Channels"
msgstr ""
msgid "Output Interface"
msgstr ""
@ -2366,9 +2369,6 @@ msgstr ""
msgid "Path to Private Key"
msgstr ""
msgid "Path to executable which handles the button event"
msgstr ""
msgid "Path to inner CA-Certificate"
msgstr ""
@ -2429,6 +2429,12 @@ msgstr ""
msgid "Pre-emtive CRC errors (CRCP_P)"
msgstr ""
msgid "Prefer LTE"
msgstr ""
msgid "Prefer UMTS"
msgstr ""
msgid "Prefix Delegated"
msgstr ""
@ -2619,9 +2625,6 @@ msgstr "인터페이스 재연결중입니다"
msgid "References"
msgstr ""
msgid "Regulatory Domain"
msgstr ""
msgid "Relay"
msgstr ""
@ -2670,15 +2673,15 @@ msgstr "특정 ISP 들에 요구됨. 예: Charter (DOCSIS 3 기반)"
msgid "Required. Base64-encoded private key for this interface."
msgstr ""
msgid "Required. Base64-encoded public key of peer."
msgstr ""
msgid ""
"Required. IP addresses and prefixes that this peer is allowed to use inside "
"the tunnel. Usually the peer's tunnel IP addresses and the networks the peer "
"routes through the tunnel."
msgstr ""
msgid "Required. Public key of peer."
msgstr ""
msgid ""
"Requires the 'full' version of wpad/hostapd and support from the wifi driver "
"<br />(as of Feb 2017: ath9k and ath10k, in LEDE also mwlwifi and mt76)"
@ -2823,9 +2826,6 @@ msgstr ""
msgid "Separate Clients"
msgstr ""
msgid "Separate WDS"
msgstr ""
msgid "Server Settings"
msgstr "서버 설정"
@ -2849,6 +2849,11 @@ msgstr ""
msgid "Services"
msgstr "서비스"
msgid ""
"Set interface properties regardless of the link carrier (If set, carrier "
"sense events do not invoke hotplug handlers)."
msgstr ""
msgid "Set up Time Synchronization"
msgstr ""
@ -2927,9 +2932,6 @@ msgstr ""
msgid "Source routing"
msgstr ""
msgid "Specifies the button state to handle"
msgstr ""
msgid "Specifies the directory the device is attached to"
msgstr ""
@ -2983,9 +2985,6 @@ msgstr "Static Lease 들"
msgid "Static Routes"
msgstr "Static Route 경로"
msgid "Static WDS"
msgstr ""
msgid "Static address"
msgstr ""
@ -3035,6 +3034,9 @@ msgid ""
"Switch %q has an unknown topology - the VLAN settings might not be accurate."
msgstr ""
msgid "Switch Port Mask"
msgstr ""
msgid "Switch VLAN"
msgstr "스위치 VLAN"
@ -3296,9 +3298,6 @@ msgid ""
msgstr ""
"이 목록은 현재 실행중인 시스템 프로세스와 해당 상태에 대한 개요를 보여줍니다."
msgid "This page allows the configuration of custom button actions"
msgstr ""
msgid "This page gives an overview over currently active network connections."
msgstr "이 페이지는 현재 active 상태인 네트워크 연결을 보여줍니다."
@ -3372,9 +3371,6 @@ msgstr ""
msgid "Tunnel type"
msgstr ""
msgid "Turbo Mode"
msgstr ""
msgid "Tx-Power"
msgstr ""
@ -3488,9 +3484,9 @@ msgstr "Routing table 사용"
msgid ""
"Use the <em>Add</em> Button to add a new lease entry. The <em>MAC-Address</"
"em> indentifies the host, the <em>IPv4-Address</em> specifies to the fixed "
"address to use and the <em>Hostname</em> is assigned as symbolic name to the "
"requesting host. The optional <em>Lease time</em> can be used to set non-"
"em> indentifies the host, the <em>IPv4-Address</em> specifies the fixed "
"address to use, and the <em>Hostname</em> is assigned as a symbolic name to "
"the requesting host. The optional <em>Lease time</em> can be used to set non-"
"standard host-specific lease time, e.g. 12h, 3d or infinite."
msgstr ""
"새로운 항목을 추가하기 위해서는 <em>추가</em> 버튼을 사용하세요. <em>MAC-주소"
@ -3609,6 +3605,11 @@ msgstr ""
msgid "Warning: There are unsaved changes that will get lost on reboot!"
msgstr ""
msgid ""
"When using a PSK, the PMK can be generated locally without inter AP "
"communications"
msgstr ""
msgid "Whether to create an IPv6 default route over the tunnel"
msgstr ""
@ -3654,22 +3655,12 @@ msgstr "무선랜이 재시작되었습니다"
msgid "Wireless shut down"
msgstr "무선랜이 shutdown 되었습니다"
msgid ""
"Complicates key reinstallation attacks on the client side by disabling "
"retransmission of EAPOL-Key frames that are used to install keys. This "
"workaround might cause interoperability issues and reduced robustness of key "
"negotiation especially in environments with heavy traffic load."
msgstr ""
msgid "Write received DNS requests to syslog"
msgstr "받은 DNS 요청 내용을 systlog 에 기록합니다"
msgid "Write system log to file"
msgstr "System log 출력 파일 경로"
msgid "XR Support"
msgstr ""
msgid ""
"You can enable or disable installed init scripts here. Changes will applied "
"after a device reboot.<br /><strong>Warning: If you disable essential init "
@ -3680,10 +3671,6 @@ msgstr ""
"와 같은 중요 init script 를 비활성화 할 경우, 장치에 접속을 못하실 수 있습니"
"다!</strong>"
msgid ""
"You must enable Java Script in your browser or LuCI will not work properly."
msgstr ""
msgid ""
"You must enable JavaScript in your browser or LuCI will not work properly."
msgstr ""
@ -3800,6 +3787,9 @@ msgstr ""
msgid "overlay"
msgstr ""
msgid "random"
msgstr ""
msgid "relay mode"
msgstr ""

View file

@ -13,6 +13,9 @@ msgstr ""
"Content-Transfer-Encoding: 8bit\n"
"X-Generator: Translate Toolkit 1.1.1\n"
msgid "%.1f dB"
msgstr ""
msgid "%s is untagged in multiple VLANs!"
msgstr ""
@ -129,6 +132,9 @@ msgstr ""
msgid "<abbr title=\"Media Access Control\">MAC</abbr>-Address"
msgstr "MAC-Alamat"
msgid "<abbr title=\"The DHCP Unique Identifier\">DUID</abbr>"
msgstr ""
msgid ""
"<abbr title=\"maximal\">Max.</abbr> <abbr title=\"Dynamic Host Configuration "
"Protocol\">DHCP</abbr> leases"
@ -168,9 +174,6 @@ msgstr ""
msgid "APN"
msgstr ""
msgid "AR Support"
msgstr "AR-Penyokong"
msgid "ARP retry threshold"
msgstr ""
@ -207,9 +210,6 @@ msgstr ""
msgid "Access Point"
msgstr "Pusat akses"
msgid "Action"
msgstr "Aksi"
msgid "Actions"
msgstr "Aksi"
@ -281,6 +281,9 @@ msgstr "Membenarkan pengesahan kata laluan SSH"
msgid "Allow all except listed"
msgstr "Izinkan semua kecualian yang disenaraikan"
msgid "Allow legacy 802.11b rates"
msgstr ""
msgid "Allow listed only"
msgstr "Izinkan senarai saja"
@ -406,9 +409,6 @@ msgstr ""
msgid "Associated Stations"
msgstr "Associated Stesen"
msgid "Atheros 802.11%s Wireless Controller"
msgstr ""
msgid "Auth Group"
msgstr ""
@ -484,9 +484,6 @@ msgstr "Kembali ke ikhtisar"
msgid "Back to scan results"
msgstr "Kembali ke keputusan scan"
msgid "Background Scan"
msgstr "Latar Belakang Scan"
msgid "Backup / Flash Firmware"
msgstr ""
@ -552,9 +549,6 @@ msgid ""
"preserved in any sysupgrade."
msgstr ""
msgid "Buttons"
msgstr "Butang"
msgid "CA certificate; if empty it will be saved after the first connection."
msgstr ""
@ -585,7 +579,7 @@ msgstr "Saluran"
msgid "Check"
msgstr ""
msgid "Check fileystems before mount"
msgid "Check filesystems before mount"
msgstr ""
msgid "Check this option to delete the existing networks from this radio."
@ -642,8 +636,12 @@ msgstr "Perintah"
msgid "Common Configuration"
msgstr ""
msgid "Compression"
msgstr "Mampatan"
msgid ""
"Complicates key reinstallation attacks on the client side by disabling "
"retransmission of EAPOL-Key frames that are used to install keys. This "
"workaround might cause interoperability issues and reduced robustness of key "
"negotiation especially in environments with heavy traffic load."
msgstr ""
msgid "Configuration"
msgstr "Konfigurasi"
@ -858,9 +856,6 @@ msgstr ""
msgid "Disable Encryption"
msgstr ""
msgid "Disable HW-Beacon timer"
msgstr "Mematikan pemasa HW-Beacon"
msgid "Disabled"
msgstr ""
@ -906,9 +901,6 @@ msgstr ""
msgid "Do not forward reverse lookups for local networks"
msgstr ""
msgid "Do not send probe responses"
msgstr "Jangan menghantar jawapan penyelidikan"
msgid "Domain required"
msgstr "Domain diperlukan"
@ -929,6 +921,9 @@ msgstr "Turun dan memasang pakej"
msgid "Download backup"
msgstr ""
msgid "Downstream SNR offset"
msgstr ""
msgid "Dropbear Instance"
msgstr ""
@ -1104,8 +1099,14 @@ msgstr ""
msgid "Extra SSH command options"
msgstr ""
msgid "Fast Frames"
msgstr "Frame Cepat"
msgid "FT over DS"
msgstr ""
msgid "FT over the Air"
msgstr ""
msgid "FT protocol"
msgstr ""
msgid "File"
msgstr ""
@ -1142,6 +1143,9 @@ msgstr "Selesai"
msgid "Firewall"
msgstr "Firewall"
msgid "Firewall Mark"
msgstr ""
msgid "Firewall Settings"
msgstr "Tetapan Firewall"
@ -1187,6 +1191,9 @@ msgstr ""
msgid "Force TKIP and CCMP (AES)"
msgstr ""
msgid "Force link"
msgstr ""
msgid "Force use of NAT-T"
msgstr ""
@ -1202,6 +1209,9 @@ msgstr ""
msgid "Forward broadcast traffic"
msgstr ""
msgid "Forward mesh peer traffic"
msgstr ""
msgid "Forwarding mode"
msgstr ""
@ -1246,6 +1256,9 @@ msgstr ""
msgid "Generate Config"
msgstr ""
msgid "Generate PMK locally"
msgstr ""
msgid "Generate archive"
msgstr ""
@ -1282,9 +1295,6 @@ msgstr ""
msgid "HT mode (802.11n)"
msgstr ""
msgid "Handler"
msgstr "Kawalan"
msgid "Hang Up"
msgstr "Menutup"
@ -1453,7 +1463,7 @@ msgstr ""
msgid "Identity"
msgstr "Identiti"
msgid "If checked, 1DES is enaled"
msgid "If checked, 1DES is enabled"
msgstr ""
msgid "If checked, encryption is disabled"
@ -1588,6 +1598,9 @@ msgstr ""
msgid "Invalid username and/or password! Please try again."
msgstr "Username dan / atau password tak sah! Sila cuba lagi."
msgid "Isolate Clients"
msgstr ""
#, fuzzy
msgid ""
"It appears that you are trying to flash an image that does not fit into the "
@ -1596,9 +1609,6 @@ msgstr ""
"Tampak bahawa anda cuba untuk flash fail gambar yang tidak sesuai dengan "
"memori flash, sila buat pengesahan pada fail gambar!"
msgid "Java Script required!"
msgstr ""
msgid "JavaScript required!"
msgstr ""
@ -1858,9 +1868,6 @@ msgstr ""
msgid "Max. Attainable Data Rate (ATTNDR)"
msgstr ""
msgid "Maximum Rate"
msgstr "Rate Maksimum"
msgid "Maximum allowed number of active DHCP leases"
msgstr ""
@ -1873,10 +1880,6 @@ msgstr ""
msgid "Maximum amount of seconds to wait for the modem to become ready"
msgstr ""
#, fuzzy
msgid "Maximum hold time"
msgstr "Memegang masa maksimum"
msgid ""
"Maximum length of the name is 15 characters including the automatic protocol/"
"bridge prefix (br-, 6in4-, pppoe- etc.)"
@ -1894,16 +1897,12 @@ msgstr "Memori"
msgid "Memory usage (%)"
msgstr "Penggunaan Memori (%)"
msgid "Mesh Id"
msgstr ""
msgid "Metric"
msgstr "Metrik"
msgid "Minimum Rate"
msgstr "Rate Minimum"
#, fuzzy
msgid "Minimum hold time"
msgstr "Memegang masa minimum"
msgid "Mirror monitor port"
msgstr ""
@ -1974,9 +1973,6 @@ msgstr ""
msgid "Move up"
msgstr ""
msgid "Multicast Rate"
msgstr "Multicast Rate"
msgid "Multicast address"
msgstr ""
@ -1989,6 +1985,9 @@ msgstr ""
msgid "NAT64 Prefix"
msgstr ""
msgid "NCM"
msgstr ""
msgid "NDP-Proxy"
msgstr ""
@ -2178,8 +2177,8 @@ msgid "Optional, use when the SIXXS account has more than one tunnel"
msgstr ""
msgid ""
"Optional. Adds in an additional layer of symmetric-key cryptography for post-"
"quantum resistance."
"Optional. 32-bit mark for outgoing encrypted packets. Enter value in hex, "
"starting with <code>0x</code>."
msgstr ""
msgid ""
@ -2189,6 +2188,11 @@ msgid ""
"for the interface."
msgstr ""
msgid ""
"Optional. Base64-encoded preshared key. Adds in an additional layer of "
"symmetric-key cryptography for post-quantum resistance."
msgstr ""
msgid "Optional. Create routes for Allowed IPs for this peer."
msgstr ""
@ -2223,9 +2227,6 @@ msgstr "Keluar"
msgid "Outbound:"
msgstr ""
msgid "Outdoor Channels"
msgstr "Saluran Outdoor"
msgid "Output Interface"
msgstr ""
@ -2345,9 +2346,6 @@ msgstr ""
msgid "Path to Private Key"
msgstr "Path ke Kunci Swasta"
msgid "Path to executable which handles the button event"
msgstr "Path ke eksekusi yang mengendalikan acara butang"
msgid "Path to inner CA-Certificate"
msgstr ""
@ -2408,6 +2406,12 @@ msgstr ""
msgid "Pre-emtive CRC errors (CRCP_P)"
msgstr ""
msgid "Prefer LTE"
msgstr ""
msgid "Prefer UMTS"
msgstr ""
msgid "Prefix Delegated"
msgstr ""
@ -2595,9 +2599,6 @@ msgstr ""
msgid "References"
msgstr "Rujukan"
msgid "Regulatory Domain"
msgstr "Peraturan Domain"
msgid "Relay"
msgstr ""
@ -2646,15 +2647,15 @@ msgstr ""
msgid "Required. Base64-encoded private key for this interface."
msgstr ""
msgid "Required. Base64-encoded public key of peer."
msgstr ""
msgid ""
"Required. IP addresses and prefixes that this peer is allowed to use inside "
"the tunnel. Usually the peer's tunnel IP addresses and the networks the peer "
"routes through the tunnel."
msgstr ""
msgid "Required. Public key of peer."
msgstr ""
msgid ""
"Requires the 'full' version of wpad/hostapd and support from the wifi driver "
"<br />(as of Feb 2017: ath9k and ath10k, in LEDE also mwlwifi and mt76)"
@ -2799,9 +2800,6 @@ msgstr ""
msgid "Separate Clients"
msgstr "Pisahkan Pelanggan"
msgid "Separate WDS"
msgstr "Pisahkan WDS"
msgid "Server Settings"
msgstr ""
@ -2825,6 +2823,11 @@ msgstr ""
msgid "Services"
msgstr "Perkhidmatan"
msgid ""
"Set interface properties regardless of the link carrier (If set, carrier "
"sense events do not invoke hotplug handlers)."
msgstr ""
msgid "Set up Time Synchronization"
msgstr ""
@ -2903,10 +2906,6 @@ msgstr "Sumber"
msgid "Source routing"
msgstr ""
#, fuzzy
msgid "Specifies the button state to handle"
msgstr "Menentukan state butang untuk melaku"
msgid "Specifies the directory the device is attached to"
msgstr ""
@ -2960,9 +2959,6 @@ msgstr "Statische Einträge"
msgid "Static Routes"
msgstr "Laluan Statik"
msgid "Static WDS"
msgstr ""
msgid "Static address"
msgstr ""
@ -3009,6 +3005,9 @@ msgid ""
"Switch %q has an unknown topology - the VLAN settings might not be accurate."
msgstr ""
msgid "Switch Port Mask"
msgstr ""
msgid "Switch VLAN"
msgstr ""
@ -3270,9 +3269,6 @@ msgstr ""
"Senarai ini memberikan gambaran lebih pada proses sistem yang sedang "
"berjalan dan statusnya."
msgid "This page allows the configuration of custom button actions"
msgstr "Laman ini membolehkan konfigurasi butang tindakan peribadi"
msgid "This page gives an overview over currently active network connections."
msgstr ""
"Laman ini memberikan gambaran lebih dari saat ini sambungan rangkaian yang "
@ -3346,9 +3342,6 @@ msgstr ""
msgid "Tunnel type"
msgstr ""
msgid "Turbo Mode"
msgstr "Mod Turbo"
msgid "Tx-Power"
msgstr ""
@ -3459,9 +3452,9 @@ msgstr ""
msgid ""
"Use the <em>Add</em> Button to add a new lease entry. The <em>MAC-Address</"
"em> indentifies the host, the <em>IPv4-Address</em> specifies to the fixed "
"address to use and the <em>Hostname</em> is assigned as symbolic name to the "
"requesting host. The optional <em>Lease time</em> can be used to set non-"
"em> indentifies the host, the <em>IPv4-Address</em> specifies the fixed "
"address to use, and the <em>Hostname</em> is assigned as a symbolic name to "
"the requesting host. The optional <em>Lease time</em> can be used to set non-"
"standard host-specific lease time, e.g. 12h, 3d or infinite."
msgstr ""
@ -3577,6 +3570,11 @@ msgstr ""
msgid "Warning: There are unsaved changes that will get lost on reboot!"
msgstr ""
msgid ""
"When using a PSK, the PMK can be generated locally without inter AP "
"communications"
msgstr ""
msgid "Whether to create an IPv6 default route over the tunnel"
msgstr ""
@ -3622,32 +3620,18 @@ msgstr ""
msgid "Wireless shut down"
msgstr ""
msgid ""
"Complicates key reinstallation attacks on the client side by disabling "
"retransmission of EAPOL-Key frames that are used to install keys. This "
"workaround might cause interoperability issues and reduced robustness of key "
"negotiation especially in environments with heavy traffic load."
msgstr ""
msgid "Write received DNS requests to syslog"
msgstr ""
msgid "Write system log to file"
msgstr ""
msgid "XR Support"
msgstr "Sokongan XR"
msgid ""
"You can enable or disable installed init scripts here. Changes will applied "
"after a device reboot.<br /><strong>Warning: If you disable essential init "
"scripts like \"network\", your device might become inaccessible!</strong>"
msgstr ""
msgid ""
"You must enable Java Script in your browser or LuCI will not work properly."
msgstr ""
msgid ""
"You must enable JavaScript in your browser or LuCI will not work properly."
msgstr ""
@ -3762,6 +3746,9 @@ msgstr ""
msgid "overlay"
msgstr ""
msgid "random"
msgstr ""
msgid "relay mode"
msgstr ""
@ -3807,8 +3794,77 @@ msgstr ""
msgid "« Back"
msgstr "« Kembali"
#~ msgid "Action"
#~ msgstr "Aksi"
#~ msgid "Buttons"
#~ msgstr "Butang"
#~ msgid "Handler"
#~ msgstr "Kawalan"
#, fuzzy
#~ msgid "Maximum hold time"
#~ msgstr "Memegang masa maksimum"
#, fuzzy
#~ msgid "Minimum hold time"
#~ msgstr "Memegang masa minimum"
#~ msgid "Path to executable which handles the button event"
#~ msgstr "Path ke eksekusi yang mengendalikan acara butang"
#, fuzzy
#~ msgid "Specifies the button state to handle"
#~ msgstr "Menentukan state butang untuk melaku"
#~ msgid "This page allows the configuration of custom button actions"
#~ msgstr "Laman ini membolehkan konfigurasi butang tindakan peribadi"
#~ msgid "Leasetime"
#~ msgstr "Masa penyewaan"
#~ msgid "automatic"
#~ msgstr "automatik"
#~ msgid "AR Support"
#~ msgstr "AR-Penyokong"
#~ msgid "Background Scan"
#~ msgstr "Latar Belakang Scan"
#~ msgid "Compression"
#~ msgstr "Mampatan"
#~ msgid "Disable HW-Beacon timer"
#~ msgstr "Mematikan pemasa HW-Beacon"
#~ msgid "Do not send probe responses"
#~ msgstr "Jangan menghantar jawapan penyelidikan"
#~ msgid "Fast Frames"
#~ msgstr "Frame Cepat"
#~ msgid "Maximum Rate"
#~ msgstr "Rate Maksimum"
#~ msgid "Minimum Rate"
#~ msgstr "Rate Minimum"
#~ msgid "Multicast Rate"
#~ msgstr "Multicast Rate"
#~ msgid "Outdoor Channels"
#~ msgstr "Saluran Outdoor"
#~ msgid "Regulatory Domain"
#~ msgstr "Peraturan Domain"
#~ msgid "Separate WDS"
#~ msgstr "Pisahkan WDS"
#~ msgid "Turbo Mode"
#~ msgstr "Mod Turbo"
#~ msgid "XR Support"
#~ msgstr "Sokongan XR"

View file

@ -8,6 +8,9 @@ msgstr ""
"Plural-Forms: nplurals=2; plural=(n != 1);\n"
"X-Generator: Pootle 2.0.6\n"
msgid "%.1f dB"
msgstr ""
msgid "%s is untagged in multiple VLANs!"
msgstr ""
@ -127,6 +130,9 @@ msgstr "<abbr title=\"Light Emitting Diode\">LED</abbr> Navn"
msgid "<abbr title=\"Media Access Control\">MAC</abbr>-Address"
msgstr "<abbr title=\"Media Access Control\">MAC</abbr>-Adresse"
msgid "<abbr title=\"The DHCP Unique Identifier\">DUID</abbr>"
msgstr ""
msgid ""
"<abbr title=\"maximal\">Max.</abbr> <abbr title=\"Dynamic Host Configuration "
"Protocol\">DHCP</abbr> leases"
@ -170,9 +176,6 @@ msgstr ""
msgid "APN"
msgstr "<abbr title=\"Aksesspunkt Navn\">APN</abbr>"
msgid "AR Support"
msgstr "AR Støtte"
msgid "ARP retry threshold"
msgstr "APR terskel for nytt forsøk"
@ -216,9 +219,6 @@ msgstr "Tilgangskonsentrator"
msgid "Access Point"
msgstr "Aksesspunkt"
msgid "Action"
msgstr "Handling"
msgid "Actions"
msgstr "Handlinger"
@ -290,6 +290,9 @@ msgstr "Tillat <abbr title=\"Secure Shell\">SSH</abbr> passord godkjenning"
msgid "Allow all except listed"
msgstr "Tillat alle unntatt oppførte"
msgid "Allow legacy 802.11b rates"
msgstr ""
msgid "Allow listed only"
msgstr "Tillat kun oppførte"
@ -415,9 +418,6 @@ msgstr ""
msgid "Associated Stations"
msgstr "Tilkoblede Klienter"
msgid "Atheros 802.11%s Wireless Controller"
msgstr "Atheros 802.11%s Trådløs Kontroller"
msgid "Auth Group"
msgstr ""
@ -493,9 +493,6 @@ msgstr "Tilbake til oversikt"
msgid "Back to scan results"
msgstr "Tilbake til skanne resultat"
msgid "Background Scan"
msgstr "Bakgrunns Skanning"
msgid "Backup / Flash Firmware"
msgstr "Sikkerhetskopiering/Firmware oppgradering"
@ -564,9 +561,6 @@ msgid ""
"preserved in any sysupgrade."
msgstr ""
msgid "Buttons"
msgstr "Knapper"
msgid "CA certificate; if empty it will be saved after the first connection."
msgstr ""
@ -597,7 +591,7 @@ msgstr "Kanal"
msgid "Check"
msgstr "Kontroller"
msgid "Check fileystems before mount"
msgid "Check filesystems before mount"
msgstr ""
msgid "Check this option to delete the existing networks from this radio."
@ -664,8 +658,12 @@ msgstr "Kommando"
msgid "Common Configuration"
msgstr "Vanlige Innstillinger"
msgid "Compression"
msgstr "Komprimering"
msgid ""
"Complicates key reinstallation attacks on the client side by disabling "
"retransmission of EAPOL-Key frames that are used to install keys. This "
"workaround might cause interoperability issues and reduced robustness of key "
"negotiation especially in environments with heavy traffic load."
msgstr ""
msgid "Configuration"
msgstr "Konfigurasjon"
@ -886,9 +884,6 @@ msgstr "Deaktiver DNS oppsett"
msgid "Disable Encryption"
msgstr ""
msgid "Disable HW-Beacon timer"
msgstr "Deaktiver HW-Beacon timer"
msgid "Disabled"
msgstr "Deaktivert"
@ -935,9 +930,6 @@ msgstr ""
msgid "Do not forward reverse lookups for local networks"
msgstr "Ikke videresend reverserte oppslag for lokale nettverk"
msgid "Do not send probe responses"
msgstr "Ikke send probe svar"
msgid "Domain required"
msgstr "Domene kreves"
@ -960,6 +952,9 @@ msgstr "Last ned og installer pakken"
msgid "Download backup"
msgstr "Last ned sikkerhetskopi"
msgid "Downstream SNR offset"
msgstr ""
msgid "Dropbear Instance"
msgstr "Dropbear Instans"
@ -1140,8 +1135,14 @@ msgstr ""
msgid "Extra SSH command options"
msgstr ""
msgid "Fast Frames"
msgstr "Fast Frames"
msgid "FT over DS"
msgstr ""
msgid "FT over the Air"
msgstr ""
msgid "FT protocol"
msgstr ""
msgid "File"
msgstr "Fil"
@ -1178,6 +1179,9 @@ msgstr "Fullfør"
msgid "Firewall"
msgstr "Brannmur"
msgid "Firewall Mark"
msgstr ""
msgid "Firewall Settings"
msgstr "Brannmur Innstillinger"
@ -1224,6 +1228,9 @@ msgstr "Bruk TKIP"
msgid "Force TKIP and CCMP (AES)"
msgstr "Bruk TKIP og CCMP (AES)"
msgid "Force link"
msgstr ""
msgid "Force use of NAT-T"
msgstr ""
@ -1239,6 +1246,9 @@ msgstr ""
msgid "Forward broadcast traffic"
msgstr "Videresend kringkastingstrafikk"
msgid "Forward mesh peer traffic"
msgstr ""
msgid "Forwarding mode"
msgstr "Videresending modus"
@ -1283,6 +1293,9 @@ msgstr ""
msgid "Generate Config"
msgstr ""
msgid "Generate PMK locally"
msgstr ""
msgid "Generate archive"
msgstr "Opprett arkiv"
@ -1319,9 +1332,6 @@ msgstr ""
msgid "HT mode (802.11n)"
msgstr ""
msgid "Handler"
msgstr "Behandler"
msgid "Hang Up"
msgstr "Slå av"
@ -1492,7 +1502,7 @@ msgstr "IPv6-over-IPv4 (6til4)"
msgid "Identity"
msgstr "Identitet"
msgid "If checked, 1DES is enaled"
msgid "If checked, 1DES is enabled"
msgstr ""
msgid "If checked, encryption is disabled"
@ -1626,6 +1636,9 @@ msgstr "Ugyldig VLAN ID gitt! Bare unike ID'er er tillatt"
msgid "Invalid username and/or password! Please try again."
msgstr "Ugyldig brukernavn og/eller passord! Vennligst prøv igjen."
msgid "Isolate Clients"
msgstr ""
#, fuzzy
msgid ""
"It appears that you are trying to flash an image that does not fit into the "
@ -1634,9 +1647,6 @@ msgstr ""
"Det virker som du prøver å flashe med en firmware som ikke passer inn i "
"flash-minnet, vennligst kontroller firmware filen!"
msgid "Java Script required!"
msgstr ""
msgid "JavaScript required!"
msgstr "JavaScript kreves!"
@ -1903,9 +1913,6 @@ msgstr ""
msgid "Max. Attainable Data Rate (ATTNDR)"
msgstr ""
msgid "Maximum Rate"
msgstr "Maksimal hastighet"
msgid "Maximum allowed number of active DHCP leases"
msgstr "Maksimalt antall aktive DHCP leieavtaler"
@ -1918,9 +1925,6 @@ msgstr "Maksimal tillatt størrelse på EDNS.0 UDP-pakker"
msgid "Maximum amount of seconds to wait for the modem to become ready"
msgstr "Maksimalt antall sekunder å vente på at modemet skal bli klart"
msgid "Maximum hold time"
msgstr "Maksimal holde tid"
msgid ""
"Maximum length of the name is 15 characters including the automatic protocol/"
"bridge prefix (br-, 6in4-, pppoe- etc.)"
@ -1938,15 +1942,12 @@ msgstr "Minne"
msgid "Memory usage (%)"
msgstr "Minne forbruk (%)"
msgid "Mesh Id"
msgstr ""
msgid "Metric"
msgstr "Metrisk"
msgid "Minimum Rate"
msgstr "Minimum hastighet"
msgid "Minimum hold time"
msgstr "Minimum holde tid"
msgid "Mirror monitor port"
msgstr ""
@ -2017,9 +2018,6 @@ msgstr "Flytt ned"
msgid "Move up"
msgstr "Flytt opp"
msgid "Multicast Rate"
msgstr "Multicast hastighet"
msgid "Multicast address"
msgstr "Multicast adresse"
@ -2032,6 +2030,9 @@ msgstr ""
msgid "NAT64 Prefix"
msgstr ""
msgid "NCM"
msgstr ""
msgid "NDP-Proxy"
msgstr ""
@ -2222,8 +2223,8 @@ msgid "Optional, use when the SIXXS account has more than one tunnel"
msgstr ""
msgid ""
"Optional. Adds in an additional layer of symmetric-key cryptography for post-"
"quantum resistance."
"Optional. 32-bit mark for outgoing encrypted packets. Enter value in hex, "
"starting with <code>0x</code>."
msgstr ""
msgid ""
@ -2233,6 +2234,11 @@ msgid ""
"for the interface."
msgstr ""
msgid ""
"Optional. Base64-encoded preshared key. Adds in an additional layer of "
"symmetric-key cryptography for post-quantum resistance."
msgstr ""
msgid "Optional. Create routes for Allowed IPs for this peer."
msgstr ""
@ -2267,9 +2273,6 @@ msgstr "Ut"
msgid "Outbound:"
msgstr "Ugående:"
msgid "Outdoor Channels"
msgstr "Utendørs Kanaler"
msgid "Output Interface"
msgstr ""
@ -2391,9 +2394,6 @@ msgstr "Sti til klient-sertifikat"
msgid "Path to Private Key"
msgstr "Sti til privatnøkkel"
msgid "Path to executable which handles the button event"
msgstr "Sti til program som håndterer handling ved bruk av knapp"
msgid "Path to inner CA-Certificate"
msgstr ""
@ -2454,6 +2454,12 @@ msgstr ""
msgid "Pre-emtive CRC errors (CRCP_P)"
msgstr ""
msgid "Prefer LTE"
msgstr ""
msgid "Prefer UMTS"
msgstr ""
msgid "Prefix Delegated"
msgstr ""
@ -2656,9 +2662,6 @@ msgstr "Kobler til igjen"
msgid "References"
msgstr "Referanser"
msgid "Regulatory Domain"
msgstr "Regulerende Domene"
msgid "Relay"
msgstr "Relay"
@ -2707,15 +2710,15 @@ msgstr "Er nødvendig for noen nettleverandører, f.eks Charter med DOCSIS 3"
msgid "Required. Base64-encoded private key for this interface."
msgstr ""
msgid "Required. Base64-encoded public key of peer."
msgstr ""
msgid ""
"Required. IP addresses and prefixes that this peer is allowed to use inside "
"the tunnel. Usually the peer's tunnel IP addresses and the networks the peer "
"routes through the tunnel."
msgstr ""
msgid "Required. Public key of peer."
msgstr ""
msgid ""
"Requires the 'full' version of wpad/hostapd and support from the wifi driver "
"<br />(as of Feb 2017: ath9k and ath10k, in LEDE also mwlwifi and mt76)"
@ -2862,9 +2865,6 @@ msgstr ""
msgid "Separate Clients"
msgstr "Separerte Klienter"
msgid "Separate WDS"
msgstr "Separert WDS"
msgid "Server Settings"
msgstr "Server Innstillinger"
@ -2888,6 +2888,11 @@ msgstr "Tjeneste type"
msgid "Services"
msgstr "Tjenester"
msgid ""
"Set interface properties regardless of the link carrier (If set, carrier "
"sense events do not invoke hotplug handlers)."
msgstr ""
#, fuzzy
msgid "Set up Time Synchronization"
msgstr "Oppsett tidssynkronisering"
@ -2970,9 +2975,6 @@ msgstr "Kilde"
msgid "Source routing"
msgstr ""
msgid "Specifies the button state to handle"
msgstr "Spesifiserer knappens handlemønster"
msgid "Specifies the directory the device is attached to"
msgstr "Hvor lagrings enheten blir tilsluttet filsystemet (f.eks. /mnt/sda1)"
@ -3027,9 +3029,6 @@ msgstr "Statiske Leier"
msgid "Static Routes"
msgstr "Statiske Ruter"
msgid "Static WDS"
msgstr "Statisk WDS"
msgid "Static address"
msgstr "Statisk adresse"
@ -3079,6 +3078,9 @@ msgid ""
"Switch %q has an unknown topology - the VLAN settings might not be accurate."
msgstr ""
msgid "Switch Port Mask"
msgstr ""
msgid "Switch VLAN"
msgstr ""
@ -3373,10 +3375,6 @@ msgid ""
"their status."
msgstr "Denne listen gir en oversikt over kjørende prosesser og deres status."
msgid "This page allows the configuration of custom button actions"
msgstr ""
"Denne siden gir mulighet for å definerte egne knappers handlingsmønster"
msgid "This page gives an overview over currently active network connections."
msgstr ""
"Denne siden gir en oversikt over gjeldende aktive nettverkstilkoblinger."
@ -3451,9 +3449,6 @@ msgstr ""
msgid "Tunnel type"
msgstr ""
msgid "Turbo Mode"
msgstr "Turbo Modus"
msgid "Tx-Power"
msgstr "Tx-Styrke"
@ -3567,9 +3562,9 @@ msgstr "Bruk rutingtabellen"
msgid ""
"Use the <em>Add</em> Button to add a new lease entry. The <em>MAC-Address</"
"em> indentifies the host, the <em>IPv4-Address</em> specifies to the fixed "
"address to use and the <em>Hostname</em> is assigned as symbolic name to the "
"requesting host. The optional <em>Lease time</em> can be used to set non-"
"em> indentifies the host, the <em>IPv4-Address</em> specifies the fixed "
"address to use, and the <em>Hostname</em> is assigned as a symbolic name to "
"the requesting host. The optional <em>Lease time</em> can be used to set non-"
"standard host-specific lease time, e.g. 12h, 3d or infinite."
msgstr ""
"Bruk <em>Legg til</em> knappen får å legge til en leieavtale. <em>MAC-"
@ -3689,6 +3684,11 @@ msgstr "Advarsel"
msgid "Warning: There are unsaved changes that will get lost on reboot!"
msgstr ""
msgid ""
"When using a PSK, the PMK can be generated locally without inter AP "
"communications"
msgstr ""
msgid "Whether to create an IPv6 default route over the tunnel"
msgstr ""
@ -3734,22 +3734,12 @@ msgstr "Trådløst startet på nytt"
msgid "Wireless shut down"
msgstr "Trådløst er slått av"
msgid ""
"Complicates key reinstallation attacks on the client side by disabling "
"retransmission of EAPOL-Key frames that are used to install keys. This "
"workaround might cause interoperability issues and reduced robustness of key "
"negotiation especially in environments with heavy traffic load."
msgstr ""
msgid "Write received DNS requests to syslog"
msgstr "Skriv mottatte DNS forespørsler til syslog"
msgid "Write system log to file"
msgstr ""
msgid "XR Support"
msgstr "XR Støtte"
msgid ""
"You can enable or disable installed init scripts here. Changes will applied "
"after a device reboot.<br /><strong>Warning: If you disable essential init "
@ -3760,10 +3750,6 @@ msgstr ""
"deaktiverer nødvendige init skript som f.eks. \"nettverk\", kan enheten bli "
"utilgjengelig! </strong>"
msgid ""
"You must enable Java Script in your browser or LuCI will not work properly."
msgstr ""
msgid ""
"You must enable JavaScript in your browser or LuCI will not work properly."
msgstr ""
@ -3882,6 +3868,9 @@ msgstr "åpen"
msgid "overlay"
msgstr ""
msgid "random"
msgstr ""
msgid "relay mode"
msgstr ""
@ -3927,9 +3916,82 @@ msgstr "ja"
msgid "« Back"
msgstr "« Tilbake"
#~ msgid "Action"
#~ msgstr "Handling"
#~ msgid "Buttons"
#~ msgstr "Knapper"
#~ msgid "Handler"
#~ msgstr "Behandler"
#~ msgid "Maximum hold time"
#~ msgstr "Maksimal holde tid"
#~ msgid "Minimum hold time"
#~ msgstr "Minimum holde tid"
#~ msgid "Path to executable which handles the button event"
#~ msgstr "Sti til program som håndterer handling ved bruk av knapp"
#~ msgid "Specifies the button state to handle"
#~ msgstr "Spesifiserer knappens handlemønster"
#~ msgid "This page allows the configuration of custom button actions"
#~ msgstr ""
#~ "Denne siden gir mulighet for å definerte egne knappers handlingsmønster"
#~ msgid "Leasetime"
#~ msgstr "<abbr title=\"Leasetime\">Leietid</abbr>"
#~ msgid "AR Support"
#~ msgstr "AR Støtte"
#~ msgid "Atheros 802.11%s Wireless Controller"
#~ msgstr "Atheros 802.11%s Trådløs Kontroller"
#~ msgid "Background Scan"
#~ msgstr "Bakgrunns Skanning"
#~ msgid "Compression"
#~ msgstr "Komprimering"
#~ msgid "Disable HW-Beacon timer"
#~ msgstr "Deaktiver HW-Beacon timer"
#~ msgid "Do not send probe responses"
#~ msgstr "Ikke send probe svar"
#~ msgid "Fast Frames"
#~ msgstr "Fast Frames"
#~ msgid "Maximum Rate"
#~ msgstr "Maksimal hastighet"
#~ msgid "Minimum Rate"
#~ msgstr "Minimum hastighet"
#~ msgid "Multicast Rate"
#~ msgstr "Multicast hastighet"
#~ msgid "Outdoor Channels"
#~ msgstr "Utendørs Kanaler"
#~ msgid "Regulatory Domain"
#~ msgstr "Regulerende Domene"
#~ msgid "Separate WDS"
#~ msgstr "Separert WDS"
#~ msgid "Static WDS"
#~ msgstr "Statisk WDS"
#~ msgid "Turbo Mode"
#~ msgstr "Turbo Modus"
#~ msgid "XR Support"
#~ msgstr "XR Støtte"
#~ msgid "An additional network will be created if you leave this unchecked."
#~ msgstr "Et nytt nettverk vil bli opprettet hvis du tar bort haken."

View file

@ -14,6 +14,9 @@ msgstr ""
"|| n%100>=20) ? 1 : 2);\n"
"X-Generator: Pootle 2.0.6\n"
msgid "%.1f dB"
msgstr ""
msgid "%s is untagged in multiple VLANs!"
msgstr ""
@ -132,6 +135,9 @@ msgstr "Nazwa diody <abbr title=\"Light Emitting Diode\">LED</abbr>"
msgid "<abbr title=\"Media Access Control\">MAC</abbr>-Address"
msgstr "Adres <abbr title=\"Media Access Control\">MAC</abbr>"
msgid "<abbr title=\"The DHCP Unique Identifier\">DUID</abbr>"
msgstr ""
msgid ""
"<abbr title=\"maximal\">Max.</abbr> <abbr title=\"Dynamic Host Configuration "
"Protocol\">DHCP</abbr> leases"
@ -175,10 +181,6 @@ msgstr ""
msgid "APN"
msgstr "APN"
# Wydaje mi się że brakuje litery R...
msgid "AR Support"
msgstr "Wsparcie dla ARP"
msgid "ARP retry threshold"
msgstr "Próg powtórzeń ARP"
@ -222,9 +224,6 @@ msgstr "Koncentrator dostępowy ATM"
msgid "Access Point"
msgstr "Punkt dostępowy"
msgid "Action"
msgstr "Akcja"
msgid "Actions"
msgstr "Akcje"
@ -301,6 +300,9 @@ msgstr "Pozwól na logowanie <abbr title=\"Secure Shell\">SSH</abbr>"
msgid "Allow all except listed"
msgstr "Pozwól wszystkim oprócz wymienionych"
msgid "Allow legacy 802.11b rates"
msgstr ""
msgid "Allow listed only"
msgstr "Pozwól tylko wymienionym"
@ -430,9 +432,6 @@ msgstr ""
msgid "Associated Stations"
msgstr "Połączone stacje"
msgid "Atheros 802.11%s Wireless Controller"
msgstr "Bezprzewodowy kontroler Atheros 802.11%s"
msgid "Auth Group"
msgstr ""
@ -509,9 +508,6 @@ msgstr "Wróć do przeglądu"
msgid "Back to scan results"
msgstr "Wróć do wyników skanowania"
msgid "Background Scan"
msgstr "Skanowanie w tle"
msgid "Backup / Flash Firmware"
msgstr "Kopia zapasowa/aktualizacja firmware"
@ -582,9 +578,6 @@ msgid ""
"preserved in any sysupgrade."
msgstr ""
msgid "Buttons"
msgstr "Przyciski"
msgid "CA certificate; if empty it will be saved after the first connection."
msgstr ""
@ -615,7 +608,7 @@ msgstr "Kanał"
msgid "Check"
msgstr "Sprawdź"
msgid "Check fileystems before mount"
msgid "Check filesystems before mount"
msgstr ""
msgid "Check this option to delete the existing networks from this radio."
@ -683,8 +676,12 @@ msgstr "Polecenie"
msgid "Common Configuration"
msgstr "Konfiguracja podstawowa"
msgid "Compression"
msgstr "Kompresja"
msgid ""
"Complicates key reinstallation attacks on the client side by disabling "
"retransmission of EAPOL-Key frames that are used to install keys. This "
"workaround might cause interoperability issues and reduced robustness of key "
"negotiation especially in environments with heavy traffic load."
msgstr ""
msgid "Configuration"
msgstr "Konfiguracja"
@ -908,9 +905,6 @@ msgstr "Wyłącz konfigurowanie DNS"
msgid "Disable Encryption"
msgstr ""
msgid "Disable HW-Beacon timer"
msgstr "Wyłącz zegar HW-Beacon"
msgid "Disabled"
msgstr "Wyłączony"
@ -959,9 +953,6 @@ msgstr ""
msgid "Do not forward reverse lookups for local networks"
msgstr "Nie przekazuj odwrotnych lookup`ów do sieci lokalnych"
msgid "Do not send probe responses"
msgstr "Nie wysyłaj ramek probe response"
msgid "Domain required"
msgstr "Wymagana domena"
@ -984,6 +975,9 @@ msgstr "Pobierz i zainstaluj pakiet"
msgid "Download backup"
msgstr "Pobierz kopię zapasową"
msgid "Downstream SNR offset"
msgstr ""
msgid "Dropbear Instance"
msgstr "Usługa Dropbear"
@ -1171,8 +1165,14 @@ msgstr ""
msgid "Extra SSH command options"
msgstr ""
msgid "Fast Frames"
msgstr "Szybkie ramki (Fast Frames)"
msgid "FT over DS"
msgstr ""
msgid "FT over the Air"
msgstr ""
msgid "FT protocol"
msgstr ""
msgid "File"
msgstr "Plik"
@ -1209,6 +1209,9 @@ msgstr "Zakończ"
msgid "Firewall"
msgstr "Firewall"
msgid "Firewall Mark"
msgstr ""
# Nie ma potrzeby pisania z dużej litery
msgid "Firewall Settings"
msgstr "Ustawienia firewalla"
@ -1256,6 +1259,9 @@ msgstr "Wymuś TKIP"
msgid "Force TKIP and CCMP (AES)"
msgstr "Wymuś TKIP i CCMP (AES)"
msgid "Force link"
msgstr ""
msgid "Force use of NAT-T"
msgstr ""
@ -1271,6 +1277,9 @@ msgstr ""
msgid "Forward broadcast traffic"
msgstr "Przekazuj broadcast`y"
msgid "Forward mesh peer traffic"
msgstr ""
msgid "Forwarding mode"
msgstr "Tryb przekazywania"
@ -1315,6 +1324,9 @@ msgstr ""
msgid "Generate Config"
msgstr ""
msgid "Generate PMK locally"
msgstr ""
msgid "Generate archive"
msgstr "Twórz archiwum"
@ -1353,9 +1365,6 @@ msgstr ""
msgid "HT mode (802.11n)"
msgstr ""
msgid "Handler"
msgstr "Uchwyt"
msgid "Hang Up"
msgstr "Rozłącz"
@ -1530,7 +1539,7 @@ msgstr "IPv6-przez-IPv4 (6to4)"
msgid "Identity"
msgstr "Tożsamość"
msgid "If checked, 1DES is enaled"
msgid "If checked, 1DES is enabled"
msgstr ""
msgid "If checked, encryption is disabled"
@ -1671,6 +1680,9 @@ msgstr "Podano niewłaściwy ID VLAN`u! Dozwolone są tylko unikalne ID."
msgid "Invalid username and/or password! Please try again."
msgstr "Niewłaściwy login i/lub hasło! Spróbuj ponownie."
msgid "Isolate Clients"
msgstr ""
#, fuzzy
msgid ""
"It appears that you are trying to flash an image that does not fit into the "
@ -1679,9 +1691,6 @@ msgstr ""
"Wygląda na to, że próbujesz wgrać obraz większy niż twoja pamięć flash, "
"proszę sprawdź czy to właściwy obraz!"
msgid "Java Script required!"
msgstr ""
msgid "JavaScript required!"
msgstr "JavaScript jest wymagany!"
@ -1949,9 +1958,6 @@ msgstr ""
msgid "Max. Attainable Data Rate (ATTNDR)"
msgstr ""
msgid "Maximum Rate"
msgstr "Maksymalna Szybkość"
msgid "Maximum allowed number of active DHCP leases"
msgstr "Maksymalna dozwolona liczba aktywnych dzierżaw DHCP"
@ -1964,9 +1970,6 @@ msgstr "Maksymalny dozwolony rozmiar pakietu EDNS.0 UDP"
msgid "Maximum amount of seconds to wait for the modem to become ready"
msgstr "Maksymalny czas podany w sekundach do pełnej gotowości modemu"
msgid "Maximum hold time"
msgstr "Maksymalny czas podtrzymania"
msgid ""
"Maximum length of the name is 15 characters including the automatic protocol/"
"bridge prefix (br-, 6in4-, pppoe- etc.)"
@ -1984,15 +1987,12 @@ msgstr "Pamięć"
msgid "Memory usage (%)"
msgstr "Użycie pamięci (%)"
msgid "Mesh Id"
msgstr ""
msgid "Metric"
msgstr "Metryka"
msgid "Minimum Rate"
msgstr "Minimalna Szybkość"
msgid "Minimum hold time"
msgstr "Minimalny czas podtrzymania"
msgid "Mirror monitor port"
msgstr ""
@ -2063,9 +2063,6 @@ msgstr "Przesuń w dół"
msgid "Move up"
msgstr "Przesuń w górę"
msgid "Multicast Rate"
msgstr "Szybkość Multicast`u"
msgid "Multicast address"
msgstr "Adres Multicast`u"
@ -2078,6 +2075,9 @@ msgstr ""
msgid "NAT64 Prefix"
msgstr ""
msgid "NCM"
msgstr ""
msgid "NDP-Proxy"
msgstr ""
@ -2267,8 +2267,8 @@ msgid "Optional, use when the SIXXS account has more than one tunnel"
msgstr ""
msgid ""
"Optional. Adds in an additional layer of symmetric-key cryptography for post-"
"quantum resistance."
"Optional. 32-bit mark for outgoing encrypted packets. Enter value in hex, "
"starting with <code>0x</code>."
msgstr ""
msgid ""
@ -2278,6 +2278,11 @@ msgid ""
"for the interface."
msgstr ""
msgid ""
"Optional. Base64-encoded preshared key. Adds in an additional layer of "
"symmetric-key cryptography for post-quantum resistance."
msgstr ""
msgid "Optional. Create routes for Allowed IPs for this peer."
msgstr ""
@ -2312,9 +2317,6 @@ msgstr "Wychodzące"
msgid "Outbound:"
msgstr "Wychodzący:"
msgid "Outdoor Channels"
msgstr "Kanały zewnętrzne"
msgid "Output Interface"
msgstr ""
@ -2436,11 +2438,6 @@ msgstr "Ścieżka do certyfikatu Klienta"
msgid "Path to Private Key"
msgstr "Ścieżka do Klucza Prywatnego"
msgid "Path to executable which handles the button event"
msgstr ""
"Ścieżka do pliku wykonywalnego, który obsługuje zdarzenie dla danego "
"przycisku"
msgid "Path to inner CA-Certificate"
msgstr ""
@ -2501,6 +2498,12 @@ msgstr ""
msgid "Pre-emtive CRC errors (CRCP_P)"
msgstr ""
msgid "Prefer LTE"
msgstr ""
msgid "Prefer UMTS"
msgstr ""
msgid "Prefix Delegated"
msgstr ""
@ -2705,9 +2708,6 @@ msgstr "Łączę ponownie interfejs"
msgid "References"
msgstr "Referencje"
msgid "Regulatory Domain"
msgstr "Domena regulacji"
msgid "Relay"
msgstr "Przekaźnik"
@ -2756,15 +2756,15 @@ msgstr "Wymagany dla niektórych dostawców internetu, np. Charter z DOCSIS 3"
msgid "Required. Base64-encoded private key for this interface."
msgstr ""
msgid "Required. Base64-encoded public key of peer."
msgstr ""
msgid ""
"Required. IP addresses and prefixes that this peer is allowed to use inside "
"the tunnel. Usually the peer's tunnel IP addresses and the networks the peer "
"routes through the tunnel."
msgstr ""
msgid "Required. Public key of peer."
msgstr ""
msgid ""
"Requires the 'full' version of wpad/hostapd and support from the wifi driver "
"<br />(as of Feb 2017: ath9k and ath10k, in LEDE also mwlwifi and mt76)"
@ -2913,9 +2913,6 @@ msgstr ""
msgid "Separate Clients"
msgstr "Rozdziel klientów"
msgid "Separate WDS"
msgstr "Rozdziel WDS"
msgid "Server Settings"
msgstr "Ustawienia serwera"
@ -2939,6 +2936,11 @@ msgstr "Typ serwisu"
msgid "Services"
msgstr "Serwisy"
msgid ""
"Set interface properties regardless of the link carrier (If set, carrier "
"sense events do not invoke hotplug handlers)."
msgstr ""
#, fuzzy
msgid "Set up Time Synchronization"
msgstr "Ustawienia synchronizacji czasu"
@ -3021,9 +3023,6 @@ msgstr "Źródło"
msgid "Source routing"
msgstr ""
msgid "Specifies the button state to handle"
msgstr "Określa zachowanie w zależności od stanu przycisku"
msgid "Specifies the directory the device is attached to"
msgstr "Podaje katalog do którego jest podłączone urządzenie"
@ -3080,9 +3079,6 @@ msgstr "Dzierżawy statyczne"
msgid "Static Routes"
msgstr "Statyczne ścieżki routingu"
msgid "Static WDS"
msgstr "Statyczny WDS"
msgid "Static address"
msgstr "Stały adres"
@ -3133,6 +3129,9 @@ msgid ""
"Switch %q has an unknown topology - the VLAN settings might not be accurate."
msgstr ""
msgid "Switch Port Mask"
msgstr ""
msgid "Switch VLAN"
msgstr ""
@ -3437,10 +3436,6 @@ msgstr ""
"Poniższa lista przedstawia aktualnie uruchomione procesy systemowe i ich "
"status."
msgid "This page allows the configuration of custom button actions"
msgstr ""
"Poniższa strona umożliwia konfigurację działania niestandardowych przycisków"
msgid "This page gives an overview over currently active network connections."
msgstr "Poniższa strona przedstawia aktualnie aktywne połączenia sieciowe."
@ -3514,9 +3509,6 @@ msgstr ""
msgid "Tunnel type"
msgstr ""
msgid "Turbo Mode"
msgstr "Tryb Turbo"
msgid "Tx-Power"
msgstr "Moc nadawania"
@ -3630,9 +3622,9 @@ msgstr "Użyj tabeli routingu"
msgid ""
"Use the <em>Add</em> Button to add a new lease entry. The <em>MAC-Address</"
"em> indentifies the host, the <em>IPv4-Address</em> specifies to the fixed "
"address to use and the <em>Hostname</em> is assigned as symbolic name to the "
"requesting host. The optional <em>Lease time</em> can be used to set non-"
"em> indentifies the host, the <em>IPv4-Address</em> specifies the fixed "
"address to use, and the <em>Hostname</em> is assigned as a symbolic name to "
"the requesting host. The optional <em>Lease time</em> can be used to set non-"
"standard host-specific lease time, e.g. 12h, 3d or infinite."
msgstr ""
"Użyj przycisku <em>Dodaj</em>, aby dodać nowy wpis dzierżawy. <em>Adres MAC</"
@ -3754,6 +3746,11 @@ msgstr "Ostrzeżenie"
msgid "Warning: There are unsaved changes that will get lost on reboot!"
msgstr ""
msgid ""
"When using a PSK, the PMK can be generated locally without inter AP "
"communications"
msgstr ""
msgid "Whether to create an IPv6 default route over the tunnel"
msgstr ""
@ -3799,22 +3796,12 @@ msgstr "Zrestartowano sieć bezprzewodową"
msgid "Wireless shut down"
msgstr "Wyłączanie sieci bezprzewodowej"
msgid ""
"Complicates key reinstallation attacks on the client side by disabling "
"retransmission of EAPOL-Key frames that are used to install keys. This "
"workaround might cause interoperability issues and reduced robustness of key "
"negotiation especially in environments with heavy traffic load."
msgstr ""
msgid "Write received DNS requests to syslog"
msgstr "Zapisz otrzymane żądania DNS do syslog'a"
msgid "Write system log to file"
msgstr ""
msgid "XR Support"
msgstr "Wsparcie XR"
msgid ""
"You can enable or disable installed init scripts here. Changes will applied "
"after a device reboot.<br /><strong>Warning: If you disable essential init "
@ -3825,10 +3812,6 @@ msgstr ""
"Jeśli wyłączysz podstawowe skrypty typu \"networks\", urządzenie może stać "
"się nieosiągalne!</strong>"
msgid ""
"You must enable Java Script in your browser or LuCI will not work properly."
msgstr ""
msgid ""
"You must enable JavaScript in your browser or LuCI will not work properly."
msgstr ""
@ -3948,6 +3931,9 @@ msgstr "otwarte"
msgid "overlay"
msgstr ""
msgid "random"
msgstr ""
msgid "relay mode"
msgstr ""
@ -3993,9 +3979,86 @@ msgstr "tak"
msgid "« Back"
msgstr "« Wróć"
#~ msgid "Action"
#~ msgstr "Akcja"
#~ msgid "Buttons"
#~ msgstr "Przyciski"
#~ msgid "Handler"
#~ msgstr "Uchwyt"
#~ msgid "Maximum hold time"
#~ msgstr "Maksymalny czas podtrzymania"
#~ msgid "Minimum hold time"
#~ msgstr "Minimalny czas podtrzymania"
#~ msgid "Path to executable which handles the button event"
#~ msgstr ""
#~ "Ścieżka do pliku wykonywalnego, który obsługuje zdarzenie dla danego "
#~ "przycisku"
#~ msgid "Specifies the button state to handle"
#~ msgstr "Określa zachowanie w zależności od stanu przycisku"
#~ msgid "This page allows the configuration of custom button actions"
#~ msgstr ""
#~ "Poniższa strona umożliwia konfigurację działania niestandardowych "
#~ "przycisków"
#~ msgid "Leasetime"
#~ msgstr "Czas dzierżawy"
# Wydaje mi się że brakuje litery R...
#~ msgid "AR Support"
#~ msgstr "Wsparcie dla ARP"
#~ msgid "Atheros 802.11%s Wireless Controller"
#~ msgstr "Bezprzewodowy kontroler Atheros 802.11%s"
#~ msgid "Background Scan"
#~ msgstr "Skanowanie w tle"
#~ msgid "Compression"
#~ msgstr "Kompresja"
#~ msgid "Disable HW-Beacon timer"
#~ msgstr "Wyłącz zegar HW-Beacon"
#~ msgid "Do not send probe responses"
#~ msgstr "Nie wysyłaj ramek probe response"
#~ msgid "Fast Frames"
#~ msgstr "Szybkie ramki (Fast Frames)"
#~ msgid "Maximum Rate"
#~ msgstr "Maksymalna Szybkość"
#~ msgid "Minimum Rate"
#~ msgstr "Minimalna Szybkość"
#~ msgid "Multicast Rate"
#~ msgstr "Szybkość Multicast`u"
#~ msgid "Outdoor Channels"
#~ msgstr "Kanały zewnętrzne"
#~ msgid "Regulatory Domain"
#~ msgstr "Domena regulacji"
#~ msgid "Separate WDS"
#~ msgstr "Rozdziel WDS"
#~ msgid "Static WDS"
#~ msgstr "Statyczny WDS"
#~ msgid "Turbo Mode"
#~ msgstr "Tryb Turbo"
#~ msgid "XR Support"
#~ msgstr "Wsparcie XR"
#~ msgid "An additional network will be created if you leave this unchecked."
#~ msgstr ""
#~ "Zostanie utworzona dodatkowa sieć jeśli zostawisz tą opcję niezaznaczoną."

View file

@ -13,6 +13,9 @@ msgstr ""
"X-Generator: Poedit 1.8.11\n"
"Language-Team: \n"
msgid "%.1f dB"
msgstr ""
msgid "%s is untagged in multiple VLANs!"
msgstr "%s está sem etiqueta em múltiplas VLANs!"
@ -143,6 +146,9 @@ msgstr "Nome do <abbr title=\"Diodo Emissor de Luz\">LED</abbr>"
msgid "<abbr title=\"Media Access Control\">MAC</abbr>-Address"
msgstr "Endereço <abbr title=\"Controle de Acesso ao Meio\">MAC</abbr>"
msgid "<abbr title=\"The DHCP Unique Identifier\">DUID</abbr>"
msgstr ""
msgid ""
"<abbr title=\"maximal\">Max.</abbr> <abbr title=\"Dynamic Host Configuration "
"Protocol\">DHCP</abbr> leases"
@ -190,9 +196,6 @@ msgstr "ANSI T1.413"
msgid "APN"
msgstr "<abbr title=\"Access Point Name\">APN</abbr>"
msgid "AR Support"
msgstr "Suporte AR"
msgid "ARP retry threshold"
msgstr ""
"Limite de retentativas do <abbr title=\"Address Resolution Protocol\">ARP</"
@ -238,9 +241,6 @@ msgstr "Concentrador de Acesso"
msgid "Access Point"
msgstr "Ponto de Acceso (AP)"
msgid "Action"
msgstr "Ação"
msgid "Actions"
msgstr "Ações"
@ -319,6 +319,9 @@ msgstr ""
msgid "Allow all except listed"
msgstr "Permitir todos, exceto os listados"
msgid "Allow legacy 802.11b rates"
msgstr ""
msgid "Allow listed only"
msgstr "Permitir somente os listados"
@ -455,9 +458,6 @@ msgstr ""
msgid "Associated Stations"
msgstr "Estações associadas"
msgid "Atheros 802.11%s Wireless Controller"
msgstr "Controlador Wireless Atheros 802.11%s"
msgid "Auth Group"
msgstr "Grupo de Autenticação"
@ -537,9 +537,6 @@ msgstr "Voltar para visão geral"
msgid "Back to scan results"
msgstr "Voltar para os resultados da busca"
msgid "Background Scan"
msgstr "Busca em Segundo Plano"
msgid "Backup / Flash Firmware"
msgstr "Cópia de Segurança / Gravar Firmware"
@ -612,9 +609,6 @@ msgstr ""
"Fonte de pacotes específico da compilação/distribuição. Esta NÃO será "
"preservada em qualquer atualização do sistema."
msgid "Buttons"
msgstr "Botões"
msgid "CA certificate; if empty it will be saved after the first connection."
msgstr ""
"Certificado da CA; se em branco, será salvo depois da primeira conexão."
@ -646,7 +640,7 @@ msgstr "Canal"
msgid "Check"
msgstr "Verificar"
msgid "Check fileystems before mount"
msgid "Check filesystems before mount"
msgstr ""
"Execute a verificação do sistema de arquivos antes da montagem do dispositivo"
@ -715,8 +709,12 @@ msgstr "Comando"
msgid "Common Configuration"
msgstr "Configuração Comum"
msgid "Compression"
msgstr "Compressão"
msgid ""
"Complicates key reinstallation attacks on the client side by disabling "
"retransmission of EAPOL-Key frames that are used to install keys. This "
"workaround might cause interoperability issues and reduced robustness of key "
"negotiation especially in environments with heavy traffic load."
msgstr ""
msgid "Configuration"
msgstr "Configuração"
@ -940,9 +938,6 @@ msgstr "Desabilita a configuração do DNS"
msgid "Disable Encryption"
msgstr "Desabilitar Cifragem"
msgid "Disable HW-Beacon timer"
msgstr "Desativar temporizador de Beacon de Hardware"
msgid "Disabled"
msgstr "Desabilitado"
@ -992,9 +987,6 @@ msgstr ""
msgid "Do not forward reverse lookups for local networks"
msgstr "Não encaminhe buscas por endereço reverso das redes local"
msgid "Do not send probe responses"
msgstr "Não enviar respostas de exames"
msgid "Domain required"
msgstr "Requerer domínio"
@ -1018,6 +1010,9 @@ msgstr "Baixe e instale o pacote"
msgid "Download backup"
msgstr "Baixar a cópia de segurança"
msgid "Downstream SNR offset"
msgstr ""
msgid "Dropbear Instance"
msgstr "Dropbear"
@ -1205,8 +1200,14 @@ msgstr "Protocolo do servidor externo de registro do sistema (syslog)"
msgid "Extra SSH command options"
msgstr "Opções adicionais do comando SSH"
msgid "Fast Frames"
msgstr "Quadros Rápidos"
msgid "FT over DS"
msgstr ""
msgid "FT over the Air"
msgstr ""
msgid "FT protocol"
msgstr ""
msgid "File"
msgstr "Arquivo"
@ -1246,6 +1247,9 @@ msgstr "Terminar"
msgid "Firewall"
msgstr "Firewall"
msgid "Firewall Mark"
msgstr ""
msgid "Firewall Settings"
msgstr "Configurações do Firewall"
@ -1291,6 +1295,9 @@ msgstr "Forçar TKIP"
msgid "Force TKIP and CCMP (AES)"
msgstr "Forçar TKIP e CCMP (AES)"
msgid "Force link"
msgstr ""
msgid "Force use of NAT-T"
msgstr "Force o uso do NAT-T"
@ -1308,6 +1315,9 @@ msgstr ""
msgid "Forward broadcast traffic"
msgstr "Encaminhar tráfego broadcast"
msgid "Forward mesh peer traffic"
msgstr ""
msgid "Forwarding mode"
msgstr "Modo de encaminhamento"
@ -1354,6 +1364,9 @@ msgstr "Opções gerais para o opkg"
msgid "Generate Config"
msgstr "Gerar Configuração"
msgid "Generate PMK locally"
msgstr ""
msgid "Generate archive"
msgstr "Gerar arquivo"
@ -1392,10 +1405,6 @@ msgstr ""
"Modo <abbr title=\"High Throughput/Alta Taxa de Transferência\">HT</abbr> "
"(802.11n)"
# Não sei que contexto isto está sendo usado
msgid "Handler"
msgstr "Responsável"
msgid "Hang Up"
msgstr "Suspender"
@ -1576,7 +1585,7 @@ msgstr "IPv6-sobre-IPv4 (6to4)"
msgid "Identity"
msgstr "Identidade PEAP"
msgid "If checked, 1DES is enaled"
msgid "If checked, 1DES is enabled"
msgstr "Se marcado, a cifragem 1DES será habilitada"
msgid "If checked, encryption is disabled"
@ -1724,6 +1733,9 @@ msgstr ""
msgid "Invalid username and/or password! Please try again."
msgstr "Usuário e/ou senha inválida! Por favor, tente novamente."
msgid "Isolate Clients"
msgstr ""
msgid ""
"It appears that you are trying to flash an image that does not fit into the "
"flash memory, please verify the image file!"
@ -1731,9 +1743,6 @@ msgstr ""
"A imagem que está a tentar carregar aparenta nao caber na flash do "
"equipamento. Por favor verifique o arquivo da imagem!"
msgid "Java Script required!"
msgstr ""
msgid "JavaScript required!"
msgstr "É necessário JavaScript!"
@ -2026,9 +2035,6 @@ msgstr ""
"Taxa de Dados Atingível Máxima (<abbr title=\"Maximum Attainable Data Rate"
"\">ATTNDR</abbr>)"
msgid "Maximum Rate"
msgstr "Taxa Máxima"
msgid "Maximum allowed number of active DHCP leases"
msgstr "Número máximo permitido de alocações DHCP ativas"
@ -2041,10 +2047,6 @@ msgstr "Tamanho máximo permitido dos pacotes UDP EDNS.0"
msgid "Maximum amount of seconds to wait for the modem to become ready"
msgstr "Tempo máximo, em segundos, para esperar que o modem fique pronto"
# Desconheço o uso
msgid "Maximum hold time"
msgstr "Tempo máximo de espera"
msgid ""
"Maximum length of the name is 15 characters including the automatic protocol/"
"bridge prefix (br-, 6in4-, pppoe- etc.)"
@ -2064,15 +2066,12 @@ msgstr "Memória"
msgid "Memory usage (%)"
msgstr "Uso da memória (%)"
msgid "Mesh Id"
msgstr ""
msgid "Metric"
msgstr "Métrica"
msgid "Minimum Rate"
msgstr "Taxa Mínima"
msgid "Minimum hold time"
msgstr "Tempo mínimo de espera"
msgid "Mirror monitor port"
msgstr "Porta de monitoramento do espelho"
@ -2143,9 +2142,6 @@ msgstr "Mover para baixo"
msgid "Move up"
msgstr "Mover para cima"
msgid "Multicast Rate"
msgstr "Taxa de Multicast"
msgid "Multicast address"
msgstr "Endereço de Multicast"
@ -2158,6 +2154,9 @@ msgstr "Modo NAT-T"
msgid "NAT64 Prefix"
msgstr "Prefixo NAT64"
msgid "NCM"
msgstr ""
msgid "NDP-Proxy"
msgstr "Proxy NDP"
@ -2352,8 +2351,8 @@ msgid "Optional, use when the SIXXS account has more than one tunnel"
msgstr "Opcional, para usar quando a conta SIXXS tem mais de um túnel"
msgid ""
"Optional. Adds in an additional layer of symmetric-key cryptography for post-"
"quantum resistance."
"Optional. 32-bit mark for outgoing encrypted packets. Enter value in hex, "
"starting with <code>0x</code>."
msgstr ""
msgid ""
@ -2363,6 +2362,13 @@ msgid ""
"for the interface."
msgstr ""
msgid ""
"Optional. Base64-encoded preshared key. Adds in an additional layer of "
"symmetric-key cryptography for post-quantum resistance."
msgstr ""
"Opcional. Adiciona uma camada extra de cifragem simétrica para resistência "
"pós quântica."
msgid "Optional. Create routes for Allowed IPs for this peer."
msgstr "Opcional. Cria rotas para endereços IP Autorizados para este parceiro."
@ -2402,9 +2408,6 @@ msgstr "Saída"
msgid "Outbound:"
msgstr "Saindo:"
msgid "Outdoor Channels"
msgstr "Canais para externo"
msgid "Output Interface"
msgstr "Interface de Saída"
@ -2529,9 +2532,6 @@ msgstr "Caminho para o Certificado do Cliente"
msgid "Path to Private Key"
msgstr "Caminho para a Chave Privada"
msgid "Path to executable which handles the button event"
msgstr "Caminho para o executável que trata o evento do botão"
msgid "Path to inner CA-Certificate"
msgstr "Caminho para os certificados CA interno"
@ -2593,6 +2593,12 @@ msgid "Pre-emtive CRC errors (CRCP_P)"
msgstr ""
"Erros CRC Preemptivos<abbr title=\"Pre-emptive CRC errors\">CRCP_P</abbr>"
msgid "Prefer LTE"
msgstr ""
msgid "Prefer UMTS"
msgstr ""
msgid "Prefix Delegated"
msgstr "Prefixo Delegado"
@ -2798,9 +2804,6 @@ msgstr "Reconectando interface"
msgid "References"
msgstr "Referências"
msgid "Regulatory Domain"
msgstr "Domínio Regulatório"
msgid "Relay"
msgstr "Retransmissor"
@ -2850,6 +2853,9 @@ msgstr ""
msgid "Required. Base64-encoded private key for this interface."
msgstr "Obrigatório. Chave privada codificada em Base64 para esta interface."
msgid "Required. Base64-encoded public key of peer."
msgstr "Necessário. Chave Pública do parceiro codificada como Base64."
msgid ""
"Required. IP addresses and prefixes that this peer is allowed to use inside "
"the tunnel. Usually the peer's tunnel IP addresses and the networks the peer "
@ -2859,9 +2865,6 @@ msgstr ""
"usar dentro do túnel. Normalmente é o endereço IP do parceiro no túnel e as "
"redes que o parceiro roteia através do túnel."
msgid "Required. Public key of peer."
msgstr ""
msgid ""
"Requires the 'full' version of wpad/hostapd and support from the wifi driver "
"<br />(as of Feb 2017: ath9k and ath10k, in LEDE also mwlwifi and mt76)"
@ -3013,9 +3016,6 @@ msgstr ""
msgid "Separate Clients"
msgstr "Isolar Clientes"
msgid "Separate WDS"
msgstr "Separar WDS"
msgid "Server Settings"
msgstr "Configurações do Servidor"
@ -3041,6 +3041,11 @@ msgstr "Tipo do Serviço"
msgid "Services"
msgstr "Serviços"
msgid ""
"Set interface properties regardless of the link carrier (If set, carrier "
"sense events do not invoke hotplug handlers)."
msgstr ""
msgid "Set up Time Synchronization"
msgstr "Configurar a Sincronização do Horário"
@ -3124,9 +3129,6 @@ msgstr "Origem"
msgid "Source routing"
msgstr "Roteamento pela origem"
msgid "Specifies the button state to handle"
msgstr "Especifica o estado do botão para ser tratado"
msgid "Specifies the directory the device is attached to"
msgstr "Especifica o diretório que o dispositivo está conectado"
@ -3188,9 +3190,6 @@ msgstr "Alocações Estáticas"
msgid "Static Routes"
msgstr "Rotas Estáticas"
msgid "Static WDS"
msgstr "WDS Estático"
msgid "Static address"
msgstr "Endereço Estático"
@ -3243,6 +3242,9 @@ msgstr ""
"O Switch %q tem uma topologia desconhecida - as configurações de VLAN podem "
"não ser precisas."
msgid "Switch Port Mask"
msgstr ""
msgid "Switch VLAN"
msgstr "Switch VLAN"
@ -3553,10 +3555,6 @@ msgid ""
msgstr ""
"Esta lista fornece uma visão geral sobre os processos em execução no sistema."
msgid "This page allows the configuration of custom button actions"
msgstr ""
"Esta página permite a configuração de ações personalizadas para os botões"
msgid "This page gives an overview over currently active network connections."
msgstr "Esta página fornece informações sobre as conexões de rede ativas."
@ -3630,9 +3628,6 @@ msgstr "Servidor de configuração do túnel"
msgid "Tunnel type"
msgstr "Tipo de túnel"
msgid "Turbo Mode"
msgstr "Modo Turbo"
msgid "Tx-Power"
msgstr "Potência de transmissão"
@ -3750,9 +3745,9 @@ msgstr "Use a tabela de roteamento"
msgid ""
"Use the <em>Add</em> Button to add a new lease entry. The <em>MAC-Address</"
"em> indentifies the host, the <em>IPv4-Address</em> specifies to the fixed "
"address to use and the <em>Hostname</em> is assigned as symbolic name to the "
"requesting host. The optional <em>Lease time</em> can be used to set non-"
"em> indentifies the host, the <em>IPv4-Address</em> specifies the fixed "
"address to use, and the <em>Hostname</em> is assigned as a symbolic name to "
"the requesting host. The optional <em>Lease time</em> can be used to set non-"
"standard host-specific lease time, e.g. 12h, 3d or infinite."
msgstr ""
"Use o botão <em>Adicionar</em> para adicionar uma nova entrada de "
@ -3877,6 +3872,11 @@ msgstr "Atenção"
msgid "Warning: There are unsaved changes that will get lost on reboot!"
msgstr "Atenção: Existem mudanças não salvas que serão perdidas ao reiniciar!"
msgid ""
"When using a PSK, the PMK can be generated locally without inter AP "
"communications"
msgstr ""
msgid "Whether to create an IPv6 default route over the tunnel"
msgstr "Se deve criar uma rota padrão IPv6 sobre o túnel"
@ -3922,22 +3922,12 @@ msgstr "A rede sem fio reiniciou"
msgid "Wireless shut down"
msgstr "Rede sem fio desligada"
msgid ""
"Complicates key reinstallation attacks on the client side by disabling "
"retransmission of EAPOL-Key frames that are used to install keys. This "
"workaround might cause interoperability issues and reduced robustness of key "
"negotiation especially in environments with heavy traffic load."
msgstr ""
msgid "Write received DNS requests to syslog"
msgstr "Escreva as requisições DNS para o servidor de registro (syslog)"
msgid "Write system log to file"
msgstr "Escrever registo do sistema (log) no arquivo"
msgid "XR Support"
msgstr "Suporte a XR"
msgid ""
"You can enable or disable installed init scripts here. Changes will applied "
"after a device reboot.<br /><strong>Warning: If you disable essential init "
@ -3949,10 +3939,6 @@ msgstr ""
"como por exemplo \"rede/network\", o dispositivo poderá tornar-se "
"inacessível!</strong>"
msgid ""
"You must enable Java Script in your browser or LuCI will not work properly."
msgstr ""
msgid ""
"You must enable JavaScript in your browser or LuCI will not work properly."
msgstr ""
@ -4076,6 +4062,9 @@ msgstr "aberto"
msgid "overlay"
msgstr "sobreposição"
msgid "random"
msgstr ""
msgid "relay mode"
msgstr "modo retransmissor"
@ -4121,15 +4110,32 @@ msgstr "sim"
msgid "« Back"
msgstr "« Voltar"
#~ msgid ""
#~ "Optional. Base64-encoded preshared key. Adds in an additional layer of "
#~ "symmetric-key cryptography for post-quantum resistance."
#~ msgstr ""
#~ "Opcional. Adiciona uma camada extra de cifragem simétrica para "
#~ "resistência pós quântica."
#~ msgid "Action"
#~ msgstr "Ação"
#~ msgid "Required. Base64-encoded public key of peer."
#~ msgstr "Necessário. Chave Pública do parceiro codificada como Base64."
#~ msgid "Buttons"
#~ msgstr "Botões"
# Não sei que contexto isto está sendo usado
#~ msgid "Handler"
#~ msgstr "Responsável"
# Desconheço o uso
#~ msgid "Maximum hold time"
#~ msgstr "Tempo máximo de espera"
#~ msgid "Minimum hold time"
#~ msgstr "Tempo mínimo de espera"
#~ msgid "Path to executable which handles the button event"
#~ msgstr "Caminho para o executável que trata o evento do botão"
#~ msgid "Specifies the button state to handle"
#~ msgstr "Especifica o estado do botão para ser tratado"
#~ msgid "This page allows the configuration of custom button actions"
#~ msgstr ""
#~ "Esta página permite a configuração de ações personalizadas para os botões"
#~ msgid "Leasetime"
#~ msgstr "Tempo de atribuição do DHCP"
@ -4152,6 +4158,54 @@ msgstr "« Voltar"
#~ msgid "automatic"
#~ msgstr "automático"
#~ msgid "AR Support"
#~ msgstr "Suporte AR"
#~ msgid "Atheros 802.11%s Wireless Controller"
#~ msgstr "Controlador Wireless Atheros 802.11%s"
#~ msgid "Background Scan"
#~ msgstr "Busca em Segundo Plano"
#~ msgid "Compression"
#~ msgstr "Compressão"
#~ msgid "Disable HW-Beacon timer"
#~ msgstr "Desativar temporizador de Beacon de Hardware"
#~ msgid "Do not send probe responses"
#~ msgstr "Não enviar respostas de exames"
#~ msgid "Fast Frames"
#~ msgstr "Quadros Rápidos"
#~ msgid "Maximum Rate"
#~ msgstr "Taxa Máxima"
#~ msgid "Minimum Rate"
#~ msgstr "Taxa Mínima"
#~ msgid "Multicast Rate"
#~ msgstr "Taxa de Multicast"
#~ msgid "Outdoor Channels"
#~ msgstr "Canais para externo"
#~ msgid "Regulatory Domain"
#~ msgstr "Domínio Regulatório"
#~ msgid "Separate WDS"
#~ msgstr "Separar WDS"
#~ msgid "Static WDS"
#~ msgstr "WDS Estático"
#~ msgid "Turbo Mode"
#~ msgstr "Modo Turbo"
#~ msgid "XR Support"
#~ msgstr "Suporte a XR"
#~ msgid "An additional network will be created if you leave this unchecked."
#~ msgstr "Uma rede adicional será criada se você deixar isto desmarcado."

View file

@ -13,6 +13,9 @@ msgstr ""
"Plural-Forms: nplurals=2; plural=(n != 1);\n"
"X-Generator: Pootle 2.0.6\n"
msgid "%.1f dB"
msgstr ""
msgid "%s is untagged in multiple VLANs!"
msgstr ""
@ -137,6 +140,9 @@ msgstr "Nome da <abbr title=\"Diodo Emissor de Luz\">LED</abbr>"
msgid "<abbr title=\"Media Access Control\">MAC</abbr>-Address"
msgstr "Endereço <abbr title=\"Controle de Acesso ao Meio\">MAC</abbr>"
msgid "<abbr title=\"The DHCP Unique Identifier\">DUID</abbr>"
msgstr ""
msgid ""
"<abbr title=\"maximal\">Max.</abbr> <abbr title=\"Dynamic Host Configuration "
"Protocol\">DHCP</abbr> leases"
@ -180,9 +186,6 @@ msgstr ""
msgid "APN"
msgstr "APN"
msgid "AR Support"
msgstr "Suporte AR"
msgid "ARP retry threshold"
msgstr "Limiar de tentativas ARP"
@ -222,9 +225,6 @@ msgstr "Concentrador de Acesso"
msgid "Access Point"
msgstr "Access Point (AP)"
msgid "Action"
msgstr "Acção"
msgid "Actions"
msgstr "Acções"
@ -301,6 +301,9 @@ msgstr ""
msgid "Allow all except listed"
msgstr "Permitir todos, excepto os listados"
msgid "Allow legacy 802.11b rates"
msgstr ""
msgid "Allow listed only"
msgstr "Permitir somente os listados"
@ -428,9 +431,6 @@ msgstr ""
msgid "Associated Stations"
msgstr "Estações Associadas"
msgid "Atheros 802.11%s Wireless Controller"
msgstr "Controlador Wireless Atheros 802.11%s"
msgid "Auth Group"
msgstr ""
@ -506,9 +506,6 @@ msgstr "Voltar à vista global"
msgid "Back to scan results"
msgstr "Voltar aos resultados do scan"
msgid "Background Scan"
msgstr "Procurar em Segundo Plano"
msgid "Backup / Flash Firmware"
msgstr "Backup / Flashar Firmware"
@ -577,9 +574,6 @@ msgid ""
"preserved in any sysupgrade."
msgstr ""
msgid "Buttons"
msgstr "Botões"
msgid "CA certificate; if empty it will be saved after the first connection."
msgstr ""
@ -610,7 +604,7 @@ msgstr "Canal"
msgid "Check"
msgstr "Verificar"
msgid "Check fileystems before mount"
msgid "Check filesystems before mount"
msgstr ""
msgid "Check this option to delete the existing networks from this radio."
@ -677,8 +671,12 @@ msgstr "Comando"
msgid "Common Configuration"
msgstr "Configuração comum"
msgid "Compression"
msgstr "Compressão"
msgid ""
"Complicates key reinstallation attacks on the client side by disabling "
"retransmission of EAPOL-Key frames that are used to install keys. This "
"workaround might cause interoperability issues and reduced robustness of key "
"negotiation especially in environments with heavy traffic load."
msgstr ""
msgid "Configuration"
msgstr "Configuração"
@ -900,9 +898,6 @@ msgstr "Desativar configuração de DNS"
msgid "Disable Encryption"
msgstr ""
msgid "Disable HW-Beacon timer"
msgstr "Desativar temporizador de HW-Beacon"
msgid "Disabled"
msgstr "Desativado"
@ -950,9 +945,6 @@ msgstr ""
msgid "Do not forward reverse lookups for local networks"
msgstr "Não encaminhar lookups reversos para as redes locais"
msgid "Do not send probe responses"
msgstr "Não enviar respostas a sondas"
msgid "Domain required"
msgstr "Requerer domínio"
@ -975,6 +967,9 @@ msgstr "Descarregar e instalar pacote"
msgid "Download backup"
msgstr "Descarregar backup"
msgid "Downstream SNR offset"
msgstr ""
msgid "Dropbear Instance"
msgstr "Instância do Dropbear"
@ -1158,8 +1153,14 @@ msgstr ""
msgid "Extra SSH command options"
msgstr ""
msgid "Fast Frames"
msgstr "Frames Rápidas"
msgid "FT over DS"
msgstr ""
msgid "FT over the Air"
msgstr ""
msgid "FT protocol"
msgstr ""
msgid "File"
msgstr "Ficheiro"
@ -1196,6 +1197,9 @@ msgstr "Terminar"
msgid "Firewall"
msgstr "Firewall"
msgid "Firewall Mark"
msgstr ""
msgid "Firewall Settings"
msgstr "Definições da Firewall"
@ -1241,6 +1245,9 @@ msgstr "Forçar TKIP"
msgid "Force TKIP and CCMP (AES)"
msgstr "Forçar TKIP e CCMP (AES)"
msgid "Force link"
msgstr ""
msgid "Force use of NAT-T"
msgstr ""
@ -1256,6 +1263,9 @@ msgstr ""
msgid "Forward broadcast traffic"
msgstr "Encaminhar trafego de broadcast"
msgid "Forward mesh peer traffic"
msgstr ""
msgid "Forwarding mode"
msgstr "Modo de encaminhamento"
@ -1300,6 +1310,9 @@ msgstr ""
msgid "Generate Config"
msgstr ""
msgid "Generate PMK locally"
msgstr ""
msgid "Generate archive"
msgstr "Gerar arquivo"
@ -1337,9 +1350,6 @@ msgstr ""
msgid "HT mode (802.11n)"
msgstr ""
msgid "Handler"
msgstr "Handler"
msgid "Hang Up"
msgstr "Suspender"
@ -1513,7 +1523,7 @@ msgstr "IPv6-sobre-IPv4 (6to4)"
msgid "Identity"
msgstr "Identidade"
msgid "If checked, 1DES is enaled"
msgid "If checked, 1DES is enabled"
msgstr ""
msgid "If checked, encryption is disabled"
@ -1650,6 +1660,9 @@ msgstr "O ID de VLAN fornecido é inválido! Só os IDs únicos são permitidos.
msgid "Invalid username and/or password! Please try again."
msgstr "Username inválido e/ou a password! Por favor, tente novamente."
msgid "Isolate Clients"
msgstr ""
#, fuzzy
msgid ""
"It appears that you are trying to flash an image that does not fit into the "
@ -1658,9 +1671,6 @@ msgstr ""
"A imagem que está a tentar carregar aparenta não caber na flash do "
"equipamento. Por favor verifique o ficheiro de imagem."
msgid "Java Script required!"
msgstr ""
msgid "JavaScript required!"
msgstr "É necessário JavaScript!"
@ -1927,9 +1937,6 @@ msgstr ""
msgid "Max. Attainable Data Rate (ATTNDR)"
msgstr ""
msgid "Maximum Rate"
msgstr "Taxa Máxima"
msgid "Maximum allowed number of active DHCP leases"
msgstr "Número máximo permitido de concessões DHCP ativas"
@ -1942,9 +1949,6 @@ msgstr ""
msgid "Maximum amount of seconds to wait for the modem to become ready"
msgstr "Número máximo de segundos a esperar pelo modem para ficar pronto"
msgid "Maximum hold time"
msgstr "Tempo máximo de espera"
msgid ""
"Maximum length of the name is 15 characters including the automatic protocol/"
"bridge prefix (br-, 6in4-, pppoe- etc.)"
@ -1962,15 +1966,12 @@ msgstr "Memória"
msgid "Memory usage (%)"
msgstr "Uso de memória (%)"
msgid "Mesh Id"
msgstr ""
msgid "Metric"
msgstr "Métrica"
msgid "Minimum Rate"
msgstr "Taxa Mínima"
msgid "Minimum hold time"
msgstr "Tempo de retenção mínimo"
msgid "Mirror monitor port"
msgstr ""
@ -2041,9 +2042,6 @@ msgstr "Subir"
msgid "Move up"
msgstr "Descer"
msgid "Multicast Rate"
msgstr "Taxa de Multicast"
msgid "Multicast address"
msgstr "Endereço de multicast"
@ -2056,6 +2054,9 @@ msgstr ""
msgid "NAT64 Prefix"
msgstr ""
msgid "NCM"
msgstr ""
msgid "NDP-Proxy"
msgstr ""
@ -2246,8 +2247,8 @@ msgid "Optional, use when the SIXXS account has more than one tunnel"
msgstr ""
msgid ""
"Optional. Adds in an additional layer of symmetric-key cryptography for post-"
"quantum resistance."
"Optional. 32-bit mark for outgoing encrypted packets. Enter value in hex, "
"starting with <code>0x</code>."
msgstr ""
msgid ""
@ -2257,6 +2258,11 @@ msgid ""
"for the interface."
msgstr ""
msgid ""
"Optional. Base64-encoded preshared key. Adds in an additional layer of "
"symmetric-key cryptography for post-quantum resistance."
msgstr ""
msgid "Optional. Create routes for Allowed IPs for this peer."
msgstr ""
@ -2291,9 +2297,6 @@ msgstr "Saída"
msgid "Outbound:"
msgstr "Saída:"
msgid "Outdoor Channels"
msgstr "Canais de Outdoor"
msgid "Output Interface"
msgstr ""
@ -2413,9 +2416,6 @@ msgstr "Caminho para o Certificado de Cliente"
msgid "Path to Private Key"
msgstr "Caminho da Chave Privada"
msgid "Path to executable which handles the button event"
msgstr "Caminho do executável que lida com o botão de eventos"
msgid "Path to inner CA-Certificate"
msgstr ""
@ -2476,6 +2476,12 @@ msgstr ""
msgid "Pre-emtive CRC errors (CRCP_P)"
msgstr ""
msgid "Prefer LTE"
msgstr ""
msgid "Prefer UMTS"
msgstr ""
msgid "Prefix Delegated"
msgstr ""
@ -2675,9 +2681,6 @@ msgstr "A reconectar interface"
msgid "References"
msgstr "Referências"
msgid "Regulatory Domain"
msgstr "Domínio Regulatório"
msgid "Relay"
msgstr ""
@ -2726,15 +2729,15 @@ msgstr "Necessário para certos ISPs, p.ex. Charter with DOCSIS 3"
msgid "Required. Base64-encoded private key for this interface."
msgstr ""
msgid "Required. Base64-encoded public key of peer."
msgstr ""
msgid ""
"Required. IP addresses and prefixes that this peer is allowed to use inside "
"the tunnel. Usually the peer's tunnel IP addresses and the networks the peer "
"routes through the tunnel."
msgstr ""
msgid "Required. Public key of peer."
msgstr ""
msgid ""
"Requires the 'full' version of wpad/hostapd and support from the wifi driver "
"<br />(as of Feb 2017: ath9k and ath10k, in LEDE also mwlwifi and mt76)"
@ -2880,9 +2883,6 @@ msgstr ""
msgid "Separate Clients"
msgstr "Isolar Clientes"
msgid "Separate WDS"
msgstr "Separar WDS"
msgid "Server Settings"
msgstr ""
@ -2906,6 +2906,11 @@ msgstr "Tipo de Serviço"
msgid "Services"
msgstr "Serviços"
msgid ""
"Set interface properties regardless of the link carrier (If set, carrier "
"sense events do not invoke hotplug handlers)."
msgstr ""
#, fuzzy
msgid "Set up Time Synchronization"
msgstr "Configurar Sincronização Horária"
@ -2985,9 +2990,6 @@ msgstr "Origem"
msgid "Source routing"
msgstr ""
msgid "Specifies the button state to handle"
msgstr ""
msgid "Specifies the directory the device is attached to"
msgstr ""
@ -3041,9 +3043,6 @@ msgstr "Atribuições Estáticas"
msgid "Static Routes"
msgstr "Rotas Estáticas"
msgid "Static WDS"
msgstr "WDS Estático"
msgid "Static address"
msgstr "Endereço estático"
@ -3090,6 +3089,9 @@ msgid ""
"Switch %q has an unknown topology - the VLAN settings might not be accurate."
msgstr ""
msgid "Switch Port Mask"
msgstr ""
msgid "Switch VLAN"
msgstr ""
@ -3375,10 +3377,6 @@ msgid ""
msgstr ""
"Esta lista fornece uma visão geral sobre os processos em execução no sistema."
msgid "This page allows the configuration of custom button actions"
msgstr ""
"Esta página permite a configuração de botões para acções personalizadas."
msgid "This page gives an overview over currently active network connections."
msgstr "Esta página fornece informações sobre as ligações de rede ativas."
@ -3452,9 +3450,6 @@ msgstr ""
msgid "Tunnel type"
msgstr ""
msgid "Turbo Mode"
msgstr "Modo Turbo"
msgid "Tx-Power"
msgstr "Potência de Tx"
@ -3565,9 +3560,9 @@ msgstr "Usar tabela de roteamento"
msgid ""
"Use the <em>Add</em> Button to add a new lease entry. The <em>MAC-Address</"
"em> indentifies the host, the <em>IPv4-Address</em> specifies to the fixed "
"address to use and the <em>Hostname</em> is assigned as symbolic name to the "
"requesting host. The optional <em>Lease time</em> can be used to set non-"
"em> indentifies the host, the <em>IPv4-Address</em> specifies the fixed "
"address to use, and the <em>Hostname</em> is assigned as a symbolic name to "
"the requesting host. The optional <em>Lease time</em> can be used to set non-"
"standard host-specific lease time, e.g. 12h, 3d or infinite."
msgstr ""
@ -3683,6 +3678,11 @@ msgstr "Aviso"
msgid "Warning: There are unsaved changes that will get lost on reboot!"
msgstr ""
msgid ""
"When using a PSK, the PMK can be generated locally without inter AP "
"communications"
msgstr ""
msgid "Whether to create an IPv6 default route over the tunnel"
msgstr ""
@ -3728,22 +3728,12 @@ msgstr "Rede wireless reiniciada"
msgid "Wireless shut down"
msgstr "Desligar wireless"
msgid ""
"Complicates key reinstallation attacks on the client side by disabling "
"retransmission of EAPOL-Key frames that are used to install keys. This "
"workaround might cause interoperability issues and reduced robustness of key "
"negotiation especially in environments with heavy traffic load."
msgstr ""
msgid "Write received DNS requests to syslog"
msgstr "Escrever os pedidos de DNS para o syslog"
msgid "Write system log to file"
msgstr ""
msgid "XR Support"
msgstr "Suporte XR"
msgid ""
"You can enable or disable installed init scripts here. Changes will applied "
"after a device reboot.<br /><strong>Warning: If you disable essential init "
@ -3755,10 +3745,6 @@ msgstr ""
"como por exemplo \"rede/network\", o dispositivo poderá tornar-se "
"inacessível!</strong>"
msgid ""
"You must enable Java Script in your browser or LuCI will not work properly."
msgstr ""
msgid ""
"You must enable JavaScript in your browser or LuCI will not work properly."
msgstr ""
@ -3878,6 +3864,9 @@ msgstr "abrir"
msgid "overlay"
msgstr ""
msgid "random"
msgstr ""
msgid "relay mode"
msgstr ""
@ -3923,6 +3912,28 @@ msgstr "sim"
msgid "« Back"
msgstr "« Voltar"
#~ msgid "Action"
#~ msgstr "Acção"
#~ msgid "Buttons"
#~ msgstr "Botões"
#~ msgid "Handler"
#~ msgstr "Handler"
#~ msgid "Maximum hold time"
#~ msgstr "Tempo máximo de espera"
#~ msgid "Minimum hold time"
#~ msgstr "Tempo de retenção mínimo"
#~ msgid "Path to executable which handles the button event"
#~ msgstr "Caminho do executável que lida com o botão de eventos"
#~ msgid "This page allows the configuration of custom button actions"
#~ msgstr ""
#~ "Esta página permite a configuração de botões para acções personalizadas."
#~ msgid "Leasetime"
#~ msgstr "Tempo de concessão"
@ -3930,6 +3941,54 @@ msgstr "« Voltar"
#~ msgid "automatic"
#~ msgstr "estático"
#~ msgid "AR Support"
#~ msgstr "Suporte AR"
#~ msgid "Atheros 802.11%s Wireless Controller"
#~ msgstr "Controlador Wireless Atheros 802.11%s"
#~ msgid "Background Scan"
#~ msgstr "Procurar em Segundo Plano"
#~ msgid "Compression"
#~ msgstr "Compressão"
#~ msgid "Disable HW-Beacon timer"
#~ msgstr "Desativar temporizador de HW-Beacon"
#~ msgid "Do not send probe responses"
#~ msgstr "Não enviar respostas a sondas"
#~ msgid "Fast Frames"
#~ msgstr "Frames Rápidas"
#~ msgid "Maximum Rate"
#~ msgstr "Taxa Máxima"
#~ msgid "Minimum Rate"
#~ msgstr "Taxa Mínima"
#~ msgid "Multicast Rate"
#~ msgstr "Taxa de Multicast"
#~ msgid "Outdoor Channels"
#~ msgstr "Canais de Outdoor"
#~ msgid "Regulatory Domain"
#~ msgstr "Domínio Regulatório"
#~ msgid "Separate WDS"
#~ msgstr "Separar WDS"
#~ msgid "Static WDS"
#~ msgstr "WDS Estático"
#~ msgid "Turbo Mode"
#~ msgstr "Modo Turbo"
#~ msgid "XR Support"
#~ msgstr "Suporte XR"
#~ msgid "An additional network will be created if you leave this unchecked."
#~ msgstr "Uma rede adicional será criada se deixar isto desmarcado."

View file

@ -12,6 +12,9 @@ msgstr ""
"20)) ? 1 : 2);;\n"
"X-Generator: Pootle 2.0.6\n"
msgid "%.1f dB"
msgstr ""
msgid "%s is untagged in multiple VLANs!"
msgstr ""
@ -130,6 +133,9 @@ msgstr "<abbr title=\"Light Emitting Diode\">LED</abbr> Nume"
msgid "<abbr title=\"Media Access Control\">MAC</abbr>-Address"
msgstr "<abbr title=\"Media Access Control\">MAC</abbr>-Addresa"
msgid "<abbr title=\"The DHCP Unique Identifier\">DUID</abbr>"
msgstr ""
msgid ""
"<abbr title=\"maximal\">Max.</abbr> <abbr title=\"Dynamic Host Configuration "
"Protocol\">DHCP</abbr> leases"
@ -171,9 +177,6 @@ msgstr ""
msgid "APN"
msgstr "APN"
msgid "AR Support"
msgstr "Suport AR"
msgid "ARP retry threshold"
msgstr "ARP prag reincercare"
@ -213,9 +216,6 @@ msgstr "Concentrator de Access "
msgid "Access Point"
msgstr "Punct de Acces"
msgid "Action"
msgstr "Actiune"
msgid "Actions"
msgstr "Actiune"
@ -288,6 +288,9 @@ msgstr ""
msgid "Allow all except listed"
msgstr "Permite toate cu exceptia celor listate"
msgid "Allow legacy 802.11b rates"
msgstr ""
msgid "Allow listed only"
msgstr "Permite doar cele listate"
@ -414,9 +417,6 @@ msgstr ""
msgid "Associated Stations"
msgstr "Statiile asociate"
msgid "Atheros 802.11%s Wireless Controller"
msgstr "Atheros 802.11%s Controler Fara Fir"
msgid "Auth Group"
msgstr ""
@ -492,9 +492,6 @@ msgstr "Inapoi la vedere generala"
msgid "Back to scan results"
msgstr "Inapoi la rezultatele scanarii"
msgid "Background Scan"
msgstr "Scanare in fundal"
msgid "Backup / Flash Firmware"
msgstr "Salveaza / Scrie Firmware"
@ -560,9 +557,6 @@ msgid ""
"preserved in any sysupgrade."
msgstr ""
msgid "Buttons"
msgstr "Butoane"
msgid "CA certificate; if empty it will be saved after the first connection."
msgstr ""
@ -593,7 +587,7 @@ msgstr "Canal"
msgid "Check"
msgstr "Verificare"
msgid "Check fileystems before mount"
msgid "Check filesystems before mount"
msgstr ""
msgid "Check this option to delete the existing networks from this radio."
@ -652,8 +646,12 @@ msgstr "Comanda"
msgid "Common Configuration"
msgstr "Configurarea obisnuita"
msgid "Compression"
msgstr "Comprimare"
msgid ""
"Complicates key reinstallation attacks on the client side by disabling "
"retransmission of EAPOL-Key frames that are used to install keys. This "
"workaround might cause interoperability issues and reduced robustness of key "
"negotiation especially in environments with heavy traffic load."
msgstr ""
msgid "Configuration"
msgstr "Configurare"
@ -870,9 +868,6 @@ msgstr "Dezactiveaza configuratia DNS"
msgid "Disable Encryption"
msgstr ""
msgid "Disable HW-Beacon timer"
msgstr ""
msgid "Disabled"
msgstr "Dezactivat"
@ -913,9 +908,6 @@ msgstr ""
msgid "Do not forward reverse lookups for local networks"
msgstr ""
msgid "Do not send probe responses"
msgstr ""
msgid "Domain required"
msgstr "Domeniul necesar"
@ -936,6 +928,9 @@ msgstr "Descarca si instaleaza pachetul"
msgid "Download backup"
msgstr "Descarca backup"
msgid "Downstream SNR offset"
msgstr ""
msgid "Dropbear Instance"
msgstr "Instanta dropbear"
@ -1110,7 +1105,13 @@ msgstr ""
msgid "Extra SSH command options"
msgstr ""
msgid "Fast Frames"
msgid "FT over DS"
msgstr ""
msgid "FT over the Air"
msgstr ""
msgid "FT protocol"
msgstr ""
msgid "File"
@ -1148,6 +1149,9 @@ msgstr "Termina"
msgid "Firewall"
msgstr "Firewall"
msgid "Firewall Mark"
msgstr ""
msgid "Firewall Settings"
msgstr "Setarile firewall-ului"
@ -1194,6 +1198,9 @@ msgstr "Forteaza TKIP"
msgid "Force TKIP and CCMP (AES)"
msgstr "Forteaza TKIP si CCMP (AES)"
msgid "Force link"
msgstr ""
msgid "Force use of NAT-T"
msgstr ""
@ -1209,6 +1216,9 @@ msgstr ""
msgid "Forward broadcast traffic"
msgstr ""
msgid "Forward mesh peer traffic"
msgstr ""
msgid "Forwarding mode"
msgstr ""
@ -1253,6 +1263,9 @@ msgstr ""
msgid "Generate Config"
msgstr ""
msgid "Generate PMK locally"
msgstr ""
msgid "Generate archive"
msgstr ""
@ -1289,9 +1302,6 @@ msgstr ""
msgid "HT mode (802.11n)"
msgstr ""
msgid "Handler"
msgstr ""
msgid "Hang Up"
msgstr ""
@ -1460,7 +1470,7 @@ msgstr ""
msgid "Identity"
msgstr "Identitate"
msgid "If checked, 1DES is enaled"
msgid "If checked, 1DES is enabled"
msgstr ""
msgid "If checked, encryption is disabled"
@ -1590,6 +1600,9 @@ msgstr ""
msgid "Invalid username and/or password! Please try again."
msgstr "Utilizator si/sau parola invalide! Incearcati din nou."
msgid "Isolate Clients"
msgstr ""
#, fuzzy
msgid ""
"It appears that you are trying to flash an image that does not fit into the "
@ -1598,9 +1611,6 @@ msgstr ""
"Se pare ca ai incercat sa rescrii o imagine care nu are loc in memoria "
"flash, verifica fisierul din nou!"
msgid "Java Script required!"
msgstr ""
msgid "JavaScript required!"
msgstr "Ai nevoie de JavaScript !"
@ -1859,9 +1869,6 @@ msgstr ""
msgid "Max. Attainable Data Rate (ATTNDR)"
msgstr ""
msgid "Maximum Rate"
msgstr "Rata maxima"
msgid "Maximum allowed number of active DHCP leases"
msgstr ""
@ -1874,9 +1881,6 @@ msgstr ""
msgid "Maximum amount of seconds to wait for the modem to become ready"
msgstr ""
msgid "Maximum hold time"
msgstr ""
msgid ""
"Maximum length of the name is 15 characters including the automatic protocol/"
"bridge prefix (br-, 6in4-, pppoe- etc.)"
@ -1894,15 +1898,12 @@ msgstr "Memorie"
msgid "Memory usage (%)"
msgstr "Utilizarea memoriei (%)"
msgid "Mesh Id"
msgstr ""
msgid "Metric"
msgstr "Metrica"
msgid "Minimum Rate"
msgstr "Rata minima"
msgid "Minimum hold time"
msgstr ""
msgid "Mirror monitor port"
msgstr ""
@ -1971,9 +1972,6 @@ msgstr ""
msgid "Move up"
msgstr ""
msgid "Multicast Rate"
msgstr "Rata de multicast"
msgid "Multicast address"
msgstr ""
@ -1986,6 +1984,9 @@ msgstr ""
msgid "NAT64 Prefix"
msgstr ""
msgid "NCM"
msgstr ""
msgid "NDP-Proxy"
msgstr ""
@ -2170,8 +2171,8 @@ msgid "Optional, use when the SIXXS account has more than one tunnel"
msgstr ""
msgid ""
"Optional. Adds in an additional layer of symmetric-key cryptography for post-"
"quantum resistance."
"Optional. 32-bit mark for outgoing encrypted packets. Enter value in hex, "
"starting with <code>0x</code>."
msgstr ""
msgid ""
@ -2181,6 +2182,11 @@ msgid ""
"for the interface."
msgstr ""
msgid ""
"Optional. Base64-encoded preshared key. Adds in an additional layer of "
"symmetric-key cryptography for post-quantum resistance."
msgstr ""
msgid "Optional. Create routes for Allowed IPs for this peer."
msgstr ""
@ -2215,9 +2221,6 @@ msgstr "Iesire"
msgid "Outbound:"
msgstr ""
msgid "Outdoor Channels"
msgstr ""
msgid "Output Interface"
msgstr ""
@ -2337,9 +2340,6 @@ msgstr ""
msgid "Path to Private Key"
msgstr "Calea catre cheia privata"
msgid "Path to executable which handles the button event"
msgstr "Calea catre executabilul care se ocupa de evenimentul butonului"
msgid "Path to inner CA-Certificate"
msgstr ""
@ -2400,6 +2400,12 @@ msgstr ""
msgid "Pre-emtive CRC errors (CRCP_P)"
msgstr ""
msgid "Prefer LTE"
msgstr ""
msgid "Prefer UMTS"
msgstr ""
msgid "Prefix Delegated"
msgstr ""
@ -2588,9 +2594,6 @@ msgstr "Interfata se reconecteaza chiar acum"
msgid "References"
msgstr "Referinte"
msgid "Regulatory Domain"
msgstr "Domeniu regulatoriu"
msgid "Relay"
msgstr ""
@ -2639,15 +2642,15 @@ msgstr ""
msgid "Required. Base64-encoded private key for this interface."
msgstr ""
msgid "Required. Base64-encoded public key of peer."
msgstr ""
msgid ""
"Required. IP addresses and prefixes that this peer is allowed to use inside "
"the tunnel. Usually the peer's tunnel IP addresses and the networks the peer "
"routes through the tunnel."
msgstr ""
msgid "Required. Public key of peer."
msgstr ""
msgid ""
"Requires the 'full' version of wpad/hostapd and support from the wifi driver "
"<br />(as of Feb 2017: ath9k and ath10k, in LEDE also mwlwifi and mt76)"
@ -2790,9 +2793,6 @@ msgstr ""
msgid "Separate Clients"
msgstr ""
msgid "Separate WDS"
msgstr ""
msgid "Server Settings"
msgstr "Setarile serverului"
@ -2816,6 +2816,11 @@ msgstr "Tip de serviciu"
msgid "Services"
msgstr "Servicii"
msgid ""
"Set interface properties regardless of the link carrier (If set, carrier "
"sense events do not invoke hotplug handlers)."
msgstr ""
#, fuzzy
msgid "Set up Time Synchronization"
msgstr "Configurare sincronizare timp"
@ -2895,9 +2900,6 @@ msgstr "Sursa"
msgid "Source routing"
msgstr ""
msgid "Specifies the button state to handle"
msgstr ""
msgid "Specifies the directory the device is attached to"
msgstr ""
@ -2951,9 +2953,6 @@ msgstr ""
msgid "Static Routes"
msgstr "Rute statice"
msgid "Static WDS"
msgstr ""
msgid "Static address"
msgstr ""
@ -3000,6 +2999,9 @@ msgid ""
"Switch %q has an unknown topology - the VLAN settings might not be accurate."
msgstr ""
msgid "Switch Port Mask"
msgstr ""
msgid "Switch VLAN"
msgstr ""
@ -3245,9 +3247,6 @@ msgid ""
"their status."
msgstr ""
msgid "This page allows the configuration of custom button actions"
msgstr ""
msgid "This page gives an overview over currently active network connections."
msgstr ""
@ -3319,9 +3318,6 @@ msgstr ""
msgid "Tunnel type"
msgstr ""
msgid "Turbo Mode"
msgstr "Mod turbo"
msgid "Tx-Power"
msgstr "Puterea TX"
@ -3432,9 +3428,9 @@ msgstr ""
msgid ""
"Use the <em>Add</em> Button to add a new lease entry. The <em>MAC-Address</"
"em> indentifies the host, the <em>IPv4-Address</em> specifies to the fixed "
"address to use and the <em>Hostname</em> is assigned as symbolic name to the "
"requesting host. The optional <em>Lease time</em> can be used to set non-"
"em> indentifies the host, the <em>IPv4-Address</em> specifies the fixed "
"address to use, and the <em>Hostname</em> is assigned as a symbolic name to "
"the requesting host. The optional <em>Lease time</em> can be used to set non-"
"standard host-specific lease time, e.g. 12h, 3d or infinite."
msgstr ""
@ -3550,6 +3546,11 @@ msgstr "Avertizare"
msgid "Warning: There are unsaved changes that will get lost on reboot!"
msgstr ""
msgid ""
"When using a PSK, the PMK can be generated locally without inter AP "
"communications"
msgstr ""
msgid "Whether to create an IPv6 default route over the tunnel"
msgstr ""
@ -3595,32 +3596,18 @@ msgstr "Wireless-ul restartat"
msgid "Wireless shut down"
msgstr "Wireless-ul oprit"
msgid ""
"Complicates key reinstallation attacks on the client side by disabling "
"retransmission of EAPOL-Key frames that are used to install keys. This "
"workaround might cause interoperability issues and reduced robustness of key "
"negotiation especially in environments with heavy traffic load."
msgstr ""
msgid "Write received DNS requests to syslog"
msgstr "Scrie cererile DNS primite in syslog"
msgid "Write system log to file"
msgstr ""
msgid "XR Support"
msgstr "Suport XR"
msgid ""
"You can enable or disable installed init scripts here. Changes will applied "
"after a device reboot.<br /><strong>Warning: If you disable essential init "
"scripts like \"network\", your device might become inaccessible!</strong>"
msgstr ""
msgid ""
"You must enable Java Script in your browser or LuCI will not work properly."
msgstr ""
msgid ""
"You must enable JavaScript in your browser or LuCI will not work properly."
msgstr ""
@ -3735,6 +3722,9 @@ msgstr ""
msgid "overlay"
msgstr ""
msgid "random"
msgstr ""
msgid "relay mode"
msgstr ""
@ -3780,6 +3770,45 @@ msgstr "da"
msgid "« Back"
msgstr "« Inapoi"
#~ msgid "Action"
#~ msgstr "Actiune"
#~ msgid "Buttons"
#~ msgstr "Butoane"
#~ msgid "Path to executable which handles the button event"
#~ msgstr "Calea catre executabilul care se ocupa de evenimentul butonului"
#~ msgid "AR Support"
#~ msgstr "Suport AR"
#~ msgid "Atheros 802.11%s Wireless Controller"
#~ msgstr "Atheros 802.11%s Controler Fara Fir"
#~ msgid "Background Scan"
#~ msgstr "Scanare in fundal"
#~ msgid "Compression"
#~ msgstr "Comprimare"
#~ msgid "Maximum Rate"
#~ msgstr "Rata maxima"
#~ msgid "Minimum Rate"
#~ msgstr "Rata minima"
#~ msgid "Multicast Rate"
#~ msgstr "Rata de multicast"
#~ msgid "Regulatory Domain"
#~ msgstr "Domeniu regulatoriu"
#~ msgid "Turbo Mode"
#~ msgstr "Mod turbo"
#~ msgid "XR Support"
#~ msgstr "Suport XR"
#~ msgid "An additional network will be created if you leave this unchecked."
#~ msgstr ""
#~ "Daca lasati aceasta optiune neselectata va fi creata o retea aditionala"

File diff suppressed because it is too large Load diff

View file

@ -8,6 +8,9 @@ msgstr ""
"Content-Transfer-Encoding: 8bit\n"
"Plural-Forms: nplurals=3; plural=(n==1) ? 0 : (n>=2 && n<=4) ? 1 : 2;\n"
msgid "%.1f dB"
msgstr ""
msgid "%s is untagged in multiple VLANs!"
msgstr ""
@ -123,6 +126,9 @@ msgstr ""
msgid "<abbr title=\"Media Access Control\">MAC</abbr>-Address"
msgstr ""
msgid "<abbr title=\"The DHCP Unique Identifier\">DUID</abbr>"
msgstr ""
msgid ""
"<abbr title=\"maximal\">Max.</abbr> <abbr title=\"Dynamic Host Configuration "
"Protocol\">DHCP</abbr> leases"
@ -162,9 +168,6 @@ msgstr ""
msgid "APN"
msgstr ""
msgid "AR Support"
msgstr ""
msgid "ARP retry threshold"
msgstr ""
@ -201,9 +204,6 @@ msgstr ""
msgid "Access Point"
msgstr ""
msgid "Action"
msgstr ""
msgid "Actions"
msgstr ""
@ -275,6 +275,9 @@ msgstr ""
msgid "Allow all except listed"
msgstr ""
msgid "Allow legacy 802.11b rates"
msgstr ""
msgid "Allow listed only"
msgstr ""
@ -400,9 +403,6 @@ msgstr ""
msgid "Associated Stations"
msgstr ""
msgid "Atheros 802.11%s Wireless Controller"
msgstr ""
msgid "Auth Group"
msgstr ""
@ -478,9 +478,6 @@ msgstr ""
msgid "Back to scan results"
msgstr ""
msgid "Background Scan"
msgstr ""
msgid "Backup / Flash Firmware"
msgstr ""
@ -546,9 +543,6 @@ msgid ""
"preserved in any sysupgrade."
msgstr ""
msgid "Buttons"
msgstr ""
msgid "CA certificate; if empty it will be saved after the first connection."
msgstr ""
@ -579,7 +573,7 @@ msgstr ""
msgid "Check"
msgstr ""
msgid "Check fileystems before mount"
msgid "Check filesystems before mount"
msgstr ""
msgid "Check this option to delete the existing networks from this radio."
@ -635,7 +629,11 @@ msgstr ""
msgid "Common Configuration"
msgstr ""
msgid "Compression"
msgid ""
"Complicates key reinstallation attacks on the client side by disabling "
"retransmission of EAPOL-Key frames that are used to install keys. This "
"workaround might cause interoperability issues and reduced robustness of key "
"negotiation especially in environments with heavy traffic load."
msgstr ""
msgid "Configuration"
@ -851,9 +849,6 @@ msgstr ""
msgid "Disable Encryption"
msgstr ""
msgid "Disable HW-Beacon timer"
msgstr ""
msgid "Disabled"
msgstr ""
@ -894,9 +889,6 @@ msgstr ""
msgid "Do not forward reverse lookups for local networks"
msgstr ""
msgid "Do not send probe responses"
msgstr ""
msgid "Domain required"
msgstr ""
@ -917,6 +909,9 @@ msgstr ""
msgid "Download backup"
msgstr ""
msgid "Downstream SNR offset"
msgstr ""
msgid "Dropbear Instance"
msgstr ""
@ -1091,7 +1086,13 @@ msgstr ""
msgid "Extra SSH command options"
msgstr ""
msgid "Fast Frames"
msgid "FT over DS"
msgstr ""
msgid "FT over the Air"
msgstr ""
msgid "FT protocol"
msgstr ""
msgid "File"
@ -1129,6 +1130,9 @@ msgstr ""
msgid "Firewall"
msgstr ""
msgid "Firewall Mark"
msgstr ""
msgid "Firewall Settings"
msgstr ""
@ -1174,6 +1178,9 @@ msgstr ""
msgid "Force TKIP and CCMP (AES)"
msgstr ""
msgid "Force link"
msgstr ""
msgid "Force use of NAT-T"
msgstr ""
@ -1189,6 +1196,9 @@ msgstr ""
msgid "Forward broadcast traffic"
msgstr ""
msgid "Forward mesh peer traffic"
msgstr ""
msgid "Forwarding mode"
msgstr ""
@ -1233,6 +1243,9 @@ msgstr ""
msgid "Generate Config"
msgstr ""
msgid "Generate PMK locally"
msgstr ""
msgid "Generate archive"
msgstr ""
@ -1269,9 +1282,6 @@ msgstr ""
msgid "HT mode (802.11n)"
msgstr ""
msgid "Handler"
msgstr ""
msgid "Hang Up"
msgstr ""
@ -1438,7 +1448,7 @@ msgstr ""
msgid "Identity"
msgstr ""
msgid "If checked, 1DES is enaled"
msgid "If checked, 1DES is enabled"
msgstr ""
msgid "If checked, encryption is disabled"
@ -1568,14 +1578,14 @@ msgstr ""
msgid "Invalid username and/or password! Please try again."
msgstr ""
msgid "Isolate Clients"
msgstr ""
msgid ""
"It appears that you are trying to flash an image that does not fit into the "
"flash memory, please verify the image file!"
msgstr ""
msgid "Java Script required!"
msgstr ""
msgid "JavaScript required!"
msgstr ""
@ -1834,9 +1844,6 @@ msgstr ""
msgid "Max. Attainable Data Rate (ATTNDR)"
msgstr ""
msgid "Maximum Rate"
msgstr ""
msgid "Maximum allowed number of active DHCP leases"
msgstr ""
@ -1849,9 +1856,6 @@ msgstr ""
msgid "Maximum amount of seconds to wait for the modem to become ready"
msgstr ""
msgid "Maximum hold time"
msgstr ""
msgid ""
"Maximum length of the name is 15 characters including the automatic protocol/"
"bridge prefix (br-, 6in4-, pppoe- etc.)"
@ -1869,15 +1873,12 @@ msgstr ""
msgid "Memory usage (%)"
msgstr ""
msgid "Mesh Id"
msgstr ""
msgid "Metric"
msgstr ""
msgid "Minimum Rate"
msgstr ""
msgid "Minimum hold time"
msgstr ""
msgid "Mirror monitor port"
msgstr ""
@ -1946,9 +1947,6 @@ msgstr ""
msgid "Move up"
msgstr ""
msgid "Multicast Rate"
msgstr ""
msgid "Multicast address"
msgstr ""
@ -1961,6 +1959,9 @@ msgstr ""
msgid "NAT64 Prefix"
msgstr ""
msgid "NCM"
msgstr ""
msgid "NDP-Proxy"
msgstr ""
@ -2145,8 +2146,8 @@ msgid "Optional, use when the SIXXS account has more than one tunnel"
msgstr ""
msgid ""
"Optional. Adds in an additional layer of symmetric-key cryptography for post-"
"quantum resistance."
"Optional. 32-bit mark for outgoing encrypted packets. Enter value in hex, "
"starting with <code>0x</code>."
msgstr ""
msgid ""
@ -2156,6 +2157,11 @@ msgid ""
"for the interface."
msgstr ""
msgid ""
"Optional. Base64-encoded preshared key. Adds in an additional layer of "
"symmetric-key cryptography for post-quantum resistance."
msgstr ""
msgid "Optional. Create routes for Allowed IPs for this peer."
msgstr ""
@ -2190,9 +2196,6 @@ msgstr ""
msgid "Outbound:"
msgstr ""
msgid "Outdoor Channels"
msgstr ""
msgid "Output Interface"
msgstr ""
@ -2312,9 +2315,6 @@ msgstr ""
msgid "Path to Private Key"
msgstr ""
msgid "Path to executable which handles the button event"
msgstr ""
msgid "Path to inner CA-Certificate"
msgstr ""
@ -2375,6 +2375,12 @@ msgstr ""
msgid "Pre-emtive CRC errors (CRCP_P)"
msgstr ""
msgid "Prefer LTE"
msgstr ""
msgid "Prefer UMTS"
msgstr ""
msgid "Prefix Delegated"
msgstr ""
@ -2561,9 +2567,6 @@ msgstr ""
msgid "References"
msgstr ""
msgid "Regulatory Domain"
msgstr ""
msgid "Relay"
msgstr ""
@ -2612,15 +2615,15 @@ msgstr ""
msgid "Required. Base64-encoded private key for this interface."
msgstr ""
msgid "Required. Base64-encoded public key of peer."
msgstr ""
msgid ""
"Required. IP addresses and prefixes that this peer is allowed to use inside "
"the tunnel. Usually the peer's tunnel IP addresses and the networks the peer "
"routes through the tunnel."
msgstr ""
msgid "Required. Public key of peer."
msgstr ""
msgid ""
"Requires the 'full' version of wpad/hostapd and support from the wifi driver "
"<br />(as of Feb 2017: ath9k and ath10k, in LEDE also mwlwifi and mt76)"
@ -2763,9 +2766,6 @@ msgstr ""
msgid "Separate Clients"
msgstr ""
msgid "Separate WDS"
msgstr ""
msgid "Server Settings"
msgstr ""
@ -2789,6 +2789,11 @@ msgstr ""
msgid "Services"
msgstr ""
msgid ""
"Set interface properties regardless of the link carrier (If set, carrier "
"sense events do not invoke hotplug handlers)."
msgstr ""
msgid "Set up Time Synchronization"
msgstr ""
@ -2867,9 +2872,6 @@ msgstr ""
msgid "Source routing"
msgstr ""
msgid "Specifies the button state to handle"
msgstr ""
msgid "Specifies the directory the device is attached to"
msgstr ""
@ -2923,9 +2925,6 @@ msgstr ""
msgid "Static Routes"
msgstr ""
msgid "Static WDS"
msgstr ""
msgid "Static address"
msgstr ""
@ -2972,6 +2971,9 @@ msgid ""
"Switch %q has an unknown topology - the VLAN settings might not be accurate."
msgstr ""
msgid "Switch Port Mask"
msgstr ""
msgid "Switch VLAN"
msgstr ""
@ -3215,9 +3217,6 @@ msgid ""
"their status."
msgstr ""
msgid "This page allows the configuration of custom button actions"
msgstr ""
msgid "This page gives an overview over currently active network connections."
msgstr ""
@ -3289,9 +3288,6 @@ msgstr ""
msgid "Tunnel type"
msgstr ""
msgid "Turbo Mode"
msgstr ""
msgid "Tx-Power"
msgstr ""
@ -3402,9 +3398,9 @@ msgstr ""
msgid ""
"Use the <em>Add</em> Button to add a new lease entry. The <em>MAC-Address</"
"em> indentifies the host, the <em>IPv4-Address</em> specifies to the fixed "
"address to use and the <em>Hostname</em> is assigned as symbolic name to the "
"requesting host. The optional <em>Lease time</em> can be used to set non-"
"em> indentifies the host, the <em>IPv4-Address</em> specifies the fixed "
"address to use, and the <em>Hostname</em> is assigned as a symbolic name to "
"the requesting host. The optional <em>Lease time</em> can be used to set non-"
"standard host-specific lease time, e.g. 12h, 3d or infinite."
msgstr ""
@ -3518,6 +3514,11 @@ msgstr ""
msgid "Warning: There are unsaved changes that will get lost on reboot!"
msgstr ""
msgid ""
"When using a PSK, the PMK can be generated locally without inter AP "
"communications"
msgstr ""
msgid "Whether to create an IPv6 default route over the tunnel"
msgstr ""
@ -3563,32 +3564,18 @@ msgstr ""
msgid "Wireless shut down"
msgstr ""
msgid ""
"Complicates key reinstallation attacks on the client side by disabling "
"retransmission of EAPOL-Key frames that are used to install keys. This "
"workaround might cause interoperability issues and reduced robustness of key "
"negotiation especially in environments with heavy traffic load."
msgstr ""
msgid "Write received DNS requests to syslog"
msgstr ""
msgid "Write system log to file"
msgstr ""
msgid "XR Support"
msgstr ""
msgid ""
"You can enable or disable installed init scripts here. Changes will applied "
"after a device reboot.<br /><strong>Warning: If you disable essential init "
"scripts like \"network\", your device might become inaccessible!</strong>"
msgstr ""
msgid ""
"You must enable Java Script in your browser or LuCI will not work properly."
msgstr ""
msgid ""
"You must enable JavaScript in your browser or LuCI will not work properly."
msgstr ""
@ -3703,6 +3690,9 @@ msgstr ""
msgid "overlay"
msgstr ""
msgid "random"
msgstr ""
msgid "relay mode"
msgstr ""

File diff suppressed because it is too large Load diff

View file

@ -1,6 +1,9 @@
msgid ""
msgstr "Content-Type: text/plain; charset=UTF-8"
msgid "%.1f dB"
msgstr ""
msgid "%s is untagged in multiple VLANs!"
msgstr ""
@ -116,6 +119,9 @@ msgstr ""
msgid "<abbr title=\"Media Access Control\">MAC</abbr>-Address"
msgstr ""
msgid "<abbr title=\"The DHCP Unique Identifier\">DUID</abbr>"
msgstr ""
msgid ""
"<abbr title=\"maximal\">Max.</abbr> <abbr title=\"Dynamic Host Configuration "
"Protocol\">DHCP</abbr> leases"
@ -155,9 +161,6 @@ msgstr ""
msgid "APN"
msgstr ""
msgid "AR Support"
msgstr ""
msgid "ARP retry threshold"
msgstr ""
@ -194,9 +197,6 @@ msgstr ""
msgid "Access Point"
msgstr ""
msgid "Action"
msgstr ""
msgid "Actions"
msgstr ""
@ -268,6 +268,9 @@ msgstr ""
msgid "Allow all except listed"
msgstr ""
msgid "Allow legacy 802.11b rates"
msgstr ""
msgid "Allow listed only"
msgstr ""
@ -393,9 +396,6 @@ msgstr ""
msgid "Associated Stations"
msgstr ""
msgid "Atheros 802.11%s Wireless Controller"
msgstr ""
msgid "Auth Group"
msgstr ""
@ -471,9 +471,6 @@ msgstr ""
msgid "Back to scan results"
msgstr ""
msgid "Background Scan"
msgstr ""
msgid "Backup / Flash Firmware"
msgstr ""
@ -539,9 +536,6 @@ msgid ""
"preserved in any sysupgrade."
msgstr ""
msgid "Buttons"
msgstr ""
msgid "CA certificate; if empty it will be saved after the first connection."
msgstr ""
@ -572,7 +566,7 @@ msgstr ""
msgid "Check"
msgstr ""
msgid "Check fileystems before mount"
msgid "Check filesystems before mount"
msgstr ""
msgid "Check this option to delete the existing networks from this radio."
@ -628,7 +622,11 @@ msgstr ""
msgid "Common Configuration"
msgstr ""
msgid "Compression"
msgid ""
"Complicates key reinstallation attacks on the client side by disabling "
"retransmission of EAPOL-Key frames that are used to install keys. This "
"workaround might cause interoperability issues and reduced robustness of key "
"negotiation especially in environments with heavy traffic load."
msgstr ""
msgid "Configuration"
@ -844,9 +842,6 @@ msgstr ""
msgid "Disable Encryption"
msgstr ""
msgid "Disable HW-Beacon timer"
msgstr ""
msgid "Disabled"
msgstr ""
@ -887,9 +882,6 @@ msgstr ""
msgid "Do not forward reverse lookups for local networks"
msgstr ""
msgid "Do not send probe responses"
msgstr ""
msgid "Domain required"
msgstr ""
@ -910,6 +902,9 @@ msgstr ""
msgid "Download backup"
msgstr ""
msgid "Downstream SNR offset"
msgstr ""
msgid "Dropbear Instance"
msgstr ""
@ -1084,7 +1079,13 @@ msgstr ""
msgid "Extra SSH command options"
msgstr ""
msgid "Fast Frames"
msgid "FT over DS"
msgstr ""
msgid "FT over the Air"
msgstr ""
msgid "FT protocol"
msgstr ""
msgid "File"
@ -1122,6 +1123,9 @@ msgstr ""
msgid "Firewall"
msgstr ""
msgid "Firewall Mark"
msgstr ""
msgid "Firewall Settings"
msgstr ""
@ -1167,6 +1171,9 @@ msgstr ""
msgid "Force TKIP and CCMP (AES)"
msgstr ""
msgid "Force link"
msgstr ""
msgid "Force use of NAT-T"
msgstr ""
@ -1182,6 +1189,9 @@ msgstr ""
msgid "Forward broadcast traffic"
msgstr ""
msgid "Forward mesh peer traffic"
msgstr ""
msgid "Forwarding mode"
msgstr ""
@ -1226,6 +1236,9 @@ msgstr ""
msgid "Generate Config"
msgstr ""
msgid "Generate PMK locally"
msgstr ""
msgid "Generate archive"
msgstr ""
@ -1262,9 +1275,6 @@ msgstr ""
msgid "HT mode (802.11n)"
msgstr ""
msgid "Handler"
msgstr ""
msgid "Hang Up"
msgstr ""
@ -1431,7 +1441,7 @@ msgstr ""
msgid "Identity"
msgstr ""
msgid "If checked, 1DES is enaled"
msgid "If checked, 1DES is enabled"
msgstr ""
msgid "If checked, encryption is disabled"
@ -1561,14 +1571,14 @@ msgstr ""
msgid "Invalid username and/or password! Please try again."
msgstr ""
msgid "Isolate Clients"
msgstr ""
msgid ""
"It appears that you are trying to flash an image that does not fit into the "
"flash memory, please verify the image file!"
msgstr ""
msgid "Java Script required!"
msgstr ""
msgid "JavaScript required!"
msgstr ""
@ -1827,9 +1837,6 @@ msgstr ""
msgid "Max. Attainable Data Rate (ATTNDR)"
msgstr ""
msgid "Maximum Rate"
msgstr ""
msgid "Maximum allowed number of active DHCP leases"
msgstr ""
@ -1842,9 +1849,6 @@ msgstr ""
msgid "Maximum amount of seconds to wait for the modem to become ready"
msgstr ""
msgid "Maximum hold time"
msgstr ""
msgid ""
"Maximum length of the name is 15 characters including the automatic protocol/"
"bridge prefix (br-, 6in4-, pppoe- etc.)"
@ -1862,15 +1866,12 @@ msgstr ""
msgid "Memory usage (%)"
msgstr ""
msgid "Mesh Id"
msgstr ""
msgid "Metric"
msgstr ""
msgid "Minimum Rate"
msgstr ""
msgid "Minimum hold time"
msgstr ""
msgid "Mirror monitor port"
msgstr ""
@ -1939,9 +1940,6 @@ msgstr ""
msgid "Move up"
msgstr ""
msgid "Multicast Rate"
msgstr ""
msgid "Multicast address"
msgstr ""
@ -1954,6 +1952,9 @@ msgstr ""
msgid "NAT64 Prefix"
msgstr ""
msgid "NCM"
msgstr ""
msgid "NDP-Proxy"
msgstr ""
@ -2138,8 +2139,8 @@ msgid "Optional, use when the SIXXS account has more than one tunnel"
msgstr ""
msgid ""
"Optional. Adds in an additional layer of symmetric-key cryptography for post-"
"quantum resistance."
"Optional. 32-bit mark for outgoing encrypted packets. Enter value in hex, "
"starting with <code>0x</code>."
msgstr ""
msgid ""
@ -2149,6 +2150,11 @@ msgid ""
"for the interface."
msgstr ""
msgid ""
"Optional. Base64-encoded preshared key. Adds in an additional layer of "
"symmetric-key cryptography for post-quantum resistance."
msgstr ""
msgid "Optional. Create routes for Allowed IPs for this peer."
msgstr ""
@ -2183,9 +2189,6 @@ msgstr ""
msgid "Outbound:"
msgstr ""
msgid "Outdoor Channels"
msgstr ""
msgid "Output Interface"
msgstr ""
@ -2305,9 +2308,6 @@ msgstr ""
msgid "Path to Private Key"
msgstr ""
msgid "Path to executable which handles the button event"
msgstr ""
msgid "Path to inner CA-Certificate"
msgstr ""
@ -2368,6 +2368,12 @@ msgstr ""
msgid "Pre-emtive CRC errors (CRCP_P)"
msgstr ""
msgid "Prefer LTE"
msgstr ""
msgid "Prefer UMTS"
msgstr ""
msgid "Prefix Delegated"
msgstr ""
@ -2554,9 +2560,6 @@ msgstr ""
msgid "References"
msgstr ""
msgid "Regulatory Domain"
msgstr ""
msgid "Relay"
msgstr ""
@ -2605,15 +2608,15 @@ msgstr ""
msgid "Required. Base64-encoded private key for this interface."
msgstr ""
msgid "Required. Base64-encoded public key of peer."
msgstr ""
msgid ""
"Required. IP addresses and prefixes that this peer is allowed to use inside "
"the tunnel. Usually the peer's tunnel IP addresses and the networks the peer "
"routes through the tunnel."
msgstr ""
msgid "Required. Public key of peer."
msgstr ""
msgid ""
"Requires the 'full' version of wpad/hostapd and support from the wifi driver "
"<br />(as of Feb 2017: ath9k and ath10k, in LEDE also mwlwifi and mt76)"
@ -2756,9 +2759,6 @@ msgstr ""
msgid "Separate Clients"
msgstr ""
msgid "Separate WDS"
msgstr ""
msgid "Server Settings"
msgstr ""
@ -2782,6 +2782,11 @@ msgstr ""
msgid "Services"
msgstr ""
msgid ""
"Set interface properties regardless of the link carrier (If set, carrier "
"sense events do not invoke hotplug handlers)."
msgstr ""
msgid "Set up Time Synchronization"
msgstr ""
@ -2860,9 +2865,6 @@ msgstr ""
msgid "Source routing"
msgstr ""
msgid "Specifies the button state to handle"
msgstr ""
msgid "Specifies the directory the device is attached to"
msgstr ""
@ -2916,9 +2918,6 @@ msgstr ""
msgid "Static Routes"
msgstr ""
msgid "Static WDS"
msgstr ""
msgid "Static address"
msgstr ""
@ -2965,6 +2964,9 @@ msgid ""
"Switch %q has an unknown topology - the VLAN settings might not be accurate."
msgstr ""
msgid "Switch Port Mask"
msgstr ""
msgid "Switch VLAN"
msgstr ""
@ -3208,9 +3210,6 @@ msgid ""
"their status."
msgstr ""
msgid "This page allows the configuration of custom button actions"
msgstr ""
msgid "This page gives an overview over currently active network connections."
msgstr ""
@ -3282,9 +3281,6 @@ msgstr ""
msgid "Tunnel type"
msgstr ""
msgid "Turbo Mode"
msgstr ""
msgid "Tx-Power"
msgstr ""
@ -3395,9 +3391,9 @@ msgstr ""
msgid ""
"Use the <em>Add</em> Button to add a new lease entry. The <em>MAC-Address</"
"em> indentifies the host, the <em>IPv4-Address</em> specifies to the fixed "
"address to use and the <em>Hostname</em> is assigned as symbolic name to the "
"requesting host. The optional <em>Lease time</em> can be used to set non-"
"em> indentifies the host, the <em>IPv4-Address</em> specifies the fixed "
"address to use, and the <em>Hostname</em> is assigned as a symbolic name to "
"the requesting host. The optional <em>Lease time</em> can be used to set non-"
"standard host-specific lease time, e.g. 12h, 3d or infinite."
msgstr ""
@ -3511,6 +3507,11 @@ msgstr ""
msgid "Warning: There are unsaved changes that will get lost on reboot!"
msgstr ""
msgid ""
"When using a PSK, the PMK can be generated locally without inter AP "
"communications"
msgstr ""
msgid "Whether to create an IPv6 default route over the tunnel"
msgstr ""
@ -3556,32 +3557,18 @@ msgstr ""
msgid "Wireless shut down"
msgstr ""
msgid ""
"Complicates key reinstallation attacks on the client side by disabling "
"retransmission of EAPOL-Key frames that are used to install keys. This "
"workaround might cause interoperability issues and reduced robustness of key "
"negotiation especially in environments with heavy traffic load."
msgstr ""
msgid "Write received DNS requests to syslog"
msgstr ""
msgid "Write system log to file"
msgstr ""
msgid "XR Support"
msgstr ""
msgid ""
"You can enable or disable installed init scripts here. Changes will applied "
"after a device reboot.<br /><strong>Warning: If you disable essential init "
"scripts like \"network\", your device might become inaccessible!</strong>"
msgstr ""
msgid ""
"You must enable Java Script in your browser or LuCI will not work properly."
msgstr ""
msgid ""
"You must enable JavaScript in your browser or LuCI will not work properly."
msgstr ""
@ -3696,6 +3683,9 @@ msgstr ""
msgid "overlay"
msgstr ""
msgid "random"
msgstr ""
msgid "relay mode"
msgstr ""

View file

@ -11,6 +11,9 @@ msgstr ""
"Plural-Forms: nplurals=1; plural=0;\n"
"X-Generator: Pootle 2.0.6\n"
msgid "%.1f dB"
msgstr ""
msgid "%s is untagged in multiple VLANs!"
msgstr ""
@ -128,6 +131,9 @@ msgstr "<abbr title=\"Light Emitting Diode\">LED</abbr> Adı"
msgid "<abbr title=\"Media Access Control\">MAC</abbr>-Address"
msgstr "<abbr title=\"Media Access Control\">MAC</abbr>-Adresi"
msgid "<abbr title=\"The DHCP Unique Identifier\">DUID</abbr>"
msgstr ""
msgid ""
"<abbr title=\"maximal\">Max.</abbr> <abbr title=\"Dynamic Host Configuration "
"Protocol\">DHCP</abbr> leases"
@ -171,9 +177,6 @@ msgstr ""
msgid "APN"
msgstr "APN"
msgid "AR Support"
msgstr "AR Desteği"
msgid "ARP retry threshold"
msgstr "ARP yenileme aralığı"
@ -210,9 +213,6 @@ msgstr ""
msgid "Access Point"
msgstr "Erişim Noktası"
msgid "Action"
msgstr "Eylem"
msgid "Actions"
msgstr "Eylemler"
@ -288,6 +288,9 @@ msgstr ""
msgid "Allow all except listed"
msgstr "Listelenenlerin haricindekilere izin ver"
msgid "Allow legacy 802.11b rates"
msgstr ""
msgid "Allow listed only"
msgstr "Yanlızca listelenenlere izin ver"
@ -413,9 +416,6 @@ msgstr ""
msgid "Associated Stations"
msgstr ""
msgid "Atheros 802.11%s Wireless Controller"
msgstr "Atheros 802.11%s Kablosuz Denetleyicisi"
msgid "Auth Group"
msgstr ""
@ -491,9 +491,6 @@ msgstr "Genel Bakışa dön"
msgid "Back to scan results"
msgstr "Tarama sonuçlarına dön"
msgid "Background Scan"
msgstr "Arka Planda Tarama"
msgid "Backup / Flash Firmware"
msgstr ""
@ -559,9 +556,6 @@ msgid ""
"preserved in any sysupgrade."
msgstr ""
msgid "Buttons"
msgstr ""
msgid "CA certificate; if empty it will be saved after the first connection."
msgstr ""
@ -592,7 +586,7 @@ msgstr ""
msgid "Check"
msgstr ""
msgid "Check fileystems before mount"
msgid "Check filesystems before mount"
msgstr ""
msgid "Check this option to delete the existing networks from this radio."
@ -648,7 +642,11 @@ msgstr ""
msgid "Common Configuration"
msgstr ""
msgid "Compression"
msgid ""
"Complicates key reinstallation attacks on the client side by disabling "
"retransmission of EAPOL-Key frames that are used to install keys. This "
"workaround might cause interoperability issues and reduced robustness of key "
"negotiation especially in environments with heavy traffic load."
msgstr ""
msgid "Configuration"
@ -864,9 +862,6 @@ msgstr ""
msgid "Disable Encryption"
msgstr ""
msgid "Disable HW-Beacon timer"
msgstr ""
msgid "Disabled"
msgstr ""
@ -907,9 +902,6 @@ msgstr ""
msgid "Do not forward reverse lookups for local networks"
msgstr ""
msgid "Do not send probe responses"
msgstr ""
msgid "Domain required"
msgstr ""
@ -930,6 +922,9 @@ msgstr ""
msgid "Download backup"
msgstr ""
msgid "Downstream SNR offset"
msgstr ""
msgid "Dropbear Instance"
msgstr ""
@ -1104,7 +1099,13 @@ msgstr ""
msgid "Extra SSH command options"
msgstr ""
msgid "Fast Frames"
msgid "FT over DS"
msgstr ""
msgid "FT over the Air"
msgstr ""
msgid "FT protocol"
msgstr ""
msgid "File"
@ -1142,6 +1143,9 @@ msgstr ""
msgid "Firewall"
msgstr ""
msgid "Firewall Mark"
msgstr ""
msgid "Firewall Settings"
msgstr ""
@ -1187,6 +1191,9 @@ msgstr ""
msgid "Force TKIP and CCMP (AES)"
msgstr ""
msgid "Force link"
msgstr ""
msgid "Force use of NAT-T"
msgstr ""
@ -1202,6 +1209,9 @@ msgstr ""
msgid "Forward broadcast traffic"
msgstr ""
msgid "Forward mesh peer traffic"
msgstr ""
msgid "Forwarding mode"
msgstr ""
@ -1246,6 +1256,9 @@ msgstr ""
msgid "Generate Config"
msgstr ""
msgid "Generate PMK locally"
msgstr ""
msgid "Generate archive"
msgstr ""
@ -1282,9 +1295,6 @@ msgstr ""
msgid "HT mode (802.11n)"
msgstr ""
msgid "Handler"
msgstr ""
msgid "Hang Up"
msgstr ""
@ -1451,7 +1461,7 @@ msgstr ""
msgid "Identity"
msgstr ""
msgid "If checked, 1DES is enaled"
msgid "If checked, 1DES is enabled"
msgstr ""
msgid "If checked, encryption is disabled"
@ -1581,14 +1591,14 @@ msgstr ""
msgid "Invalid username and/or password! Please try again."
msgstr ""
msgid "Isolate Clients"
msgstr ""
msgid ""
"It appears that you are trying to flash an image that does not fit into the "
"flash memory, please verify the image file!"
msgstr ""
msgid "Java Script required!"
msgstr ""
msgid "JavaScript required!"
msgstr ""
@ -1847,9 +1857,6 @@ msgstr ""
msgid "Max. Attainable Data Rate (ATTNDR)"
msgstr ""
msgid "Maximum Rate"
msgstr ""
msgid "Maximum allowed number of active DHCP leases"
msgstr ""
@ -1862,9 +1869,6 @@ msgstr ""
msgid "Maximum amount of seconds to wait for the modem to become ready"
msgstr ""
msgid "Maximum hold time"
msgstr ""
msgid ""
"Maximum length of the name is 15 characters including the automatic protocol/"
"bridge prefix (br-, 6in4-, pppoe- etc.)"
@ -1882,15 +1886,12 @@ msgstr ""
msgid "Memory usage (%)"
msgstr ""
msgid "Mesh Id"
msgstr ""
msgid "Metric"
msgstr ""
msgid "Minimum Rate"
msgstr ""
msgid "Minimum hold time"
msgstr ""
msgid "Mirror monitor port"
msgstr ""
@ -1959,9 +1960,6 @@ msgstr ""
msgid "Move up"
msgstr ""
msgid "Multicast Rate"
msgstr ""
msgid "Multicast address"
msgstr ""
@ -1974,6 +1972,9 @@ msgstr ""
msgid "NAT64 Prefix"
msgstr ""
msgid "NCM"
msgstr ""
msgid "NDP-Proxy"
msgstr ""
@ -2158,8 +2159,8 @@ msgid "Optional, use when the SIXXS account has more than one tunnel"
msgstr ""
msgid ""
"Optional. Adds in an additional layer of symmetric-key cryptography for post-"
"quantum resistance."
"Optional. 32-bit mark for outgoing encrypted packets. Enter value in hex, "
"starting with <code>0x</code>."
msgstr ""
msgid ""
@ -2169,6 +2170,11 @@ msgid ""
"for the interface."
msgstr ""
msgid ""
"Optional. Base64-encoded preshared key. Adds in an additional layer of "
"symmetric-key cryptography for post-quantum resistance."
msgstr ""
msgid "Optional. Create routes for Allowed IPs for this peer."
msgstr ""
@ -2203,9 +2209,6 @@ msgstr ""
msgid "Outbound:"
msgstr ""
msgid "Outdoor Channels"
msgstr ""
msgid "Output Interface"
msgstr ""
@ -2325,9 +2328,6 @@ msgstr ""
msgid "Path to Private Key"
msgstr ""
msgid "Path to executable which handles the button event"
msgstr ""
msgid "Path to inner CA-Certificate"
msgstr ""
@ -2388,6 +2388,12 @@ msgstr ""
msgid "Pre-emtive CRC errors (CRCP_P)"
msgstr ""
msgid "Prefer LTE"
msgstr ""
msgid "Prefer UMTS"
msgstr ""
msgid "Prefix Delegated"
msgstr ""
@ -2574,9 +2580,6 @@ msgstr ""
msgid "References"
msgstr ""
msgid "Regulatory Domain"
msgstr ""
msgid "Relay"
msgstr ""
@ -2625,15 +2628,15 @@ msgstr ""
msgid "Required. Base64-encoded private key for this interface."
msgstr ""
msgid "Required. Base64-encoded public key of peer."
msgstr ""
msgid ""
"Required. IP addresses and prefixes that this peer is allowed to use inside "
"the tunnel. Usually the peer's tunnel IP addresses and the networks the peer "
"routes through the tunnel."
msgstr ""
msgid "Required. Public key of peer."
msgstr ""
msgid ""
"Requires the 'full' version of wpad/hostapd and support from the wifi driver "
"<br />(as of Feb 2017: ath9k and ath10k, in LEDE also mwlwifi and mt76)"
@ -2776,9 +2779,6 @@ msgstr ""
msgid "Separate Clients"
msgstr ""
msgid "Separate WDS"
msgstr ""
msgid "Server Settings"
msgstr ""
@ -2802,6 +2802,11 @@ msgstr ""
msgid "Services"
msgstr ""
msgid ""
"Set interface properties regardless of the link carrier (If set, carrier "
"sense events do not invoke hotplug handlers)."
msgstr ""
msgid "Set up Time Synchronization"
msgstr ""
@ -2880,9 +2885,6 @@ msgstr ""
msgid "Source routing"
msgstr ""
msgid "Specifies the button state to handle"
msgstr ""
msgid "Specifies the directory the device is attached to"
msgstr ""
@ -2936,9 +2938,6 @@ msgstr ""
msgid "Static Routes"
msgstr ""
msgid "Static WDS"
msgstr ""
msgid "Static address"
msgstr ""
@ -2985,6 +2984,9 @@ msgid ""
"Switch %q has an unknown topology - the VLAN settings might not be accurate."
msgstr ""
msgid "Switch Port Mask"
msgstr ""
msgid "Switch VLAN"
msgstr ""
@ -3228,9 +3230,6 @@ msgid ""
"their status."
msgstr ""
msgid "This page allows the configuration of custom button actions"
msgstr ""
msgid "This page gives an overview over currently active network connections."
msgstr ""
@ -3302,9 +3301,6 @@ msgstr ""
msgid "Tunnel type"
msgstr ""
msgid "Turbo Mode"
msgstr ""
msgid "Tx-Power"
msgstr ""
@ -3415,9 +3411,9 @@ msgstr ""
msgid ""
"Use the <em>Add</em> Button to add a new lease entry. The <em>MAC-Address</"
"em> indentifies the host, the <em>IPv4-Address</em> specifies to the fixed "
"address to use and the <em>Hostname</em> is assigned as symbolic name to the "
"requesting host. The optional <em>Lease time</em> can be used to set non-"
"em> indentifies the host, the <em>IPv4-Address</em> specifies the fixed "
"address to use, and the <em>Hostname</em> is assigned as a symbolic name to "
"the requesting host. The optional <em>Lease time</em> can be used to set non-"
"standard host-specific lease time, e.g. 12h, 3d or infinite."
msgstr ""
@ -3531,6 +3527,11 @@ msgstr ""
msgid "Warning: There are unsaved changes that will get lost on reboot!"
msgstr ""
msgid ""
"When using a PSK, the PMK can be generated locally without inter AP "
"communications"
msgstr ""
msgid "Whether to create an IPv6 default route over the tunnel"
msgstr ""
@ -3576,32 +3577,18 @@ msgstr ""
msgid "Wireless shut down"
msgstr ""
msgid ""
"Complicates key reinstallation attacks on the client side by disabling "
"retransmission of EAPOL-Key frames that are used to install keys. This "
"workaround might cause interoperability issues and reduced robustness of key "
"negotiation especially in environments with heavy traffic load."
msgstr ""
msgid "Write received DNS requests to syslog"
msgstr ""
msgid "Write system log to file"
msgstr ""
msgid "XR Support"
msgstr ""
msgid ""
"You can enable or disable installed init scripts here. Changes will applied "
"after a device reboot.<br /><strong>Warning: If you disable essential init "
"scripts like \"network\", your device might become inaccessible!</strong>"
msgstr ""
msgid ""
"You must enable Java Script in your browser or LuCI will not work properly."
msgstr ""
msgid ""
"You must enable JavaScript in your browser or LuCI will not work properly."
msgstr ""
@ -3718,6 +3705,9 @@ msgstr ""
msgid "overlay"
msgstr ""
msgid "random"
msgstr ""
msgid "relay mode"
msgstr ""
@ -3762,3 +3752,15 @@ msgstr "evet"
msgid "« Back"
msgstr "« Geri"
#~ msgid "Action"
#~ msgstr "Eylem"
#~ msgid "AR Support"
#~ msgstr "AR Desteği"
#~ msgid "Atheros 802.11%s Wireless Controller"
#~ msgstr "Atheros 802.11%s Kablosuz Denetleyicisi"
#~ msgid "Background Scan"
#~ msgstr "Arka Planda Tarama"

View file

@ -12,6 +12,9 @@ msgstr ""
"10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n"
"X-Generator: Pootle 2.0.6\n"
msgid "%.1f dB"
msgstr ""
msgid "%s is untagged in multiple VLANs!"
msgstr ""
@ -142,6 +145,9 @@ msgstr ""
"<abbr title=\"Media Access Control — управління доступом до носія\">MAC</"
"abbr>-адреса"
msgid "<abbr title=\"The DHCP Unique Identifier\">DUID</abbr>"
msgstr ""
msgid ""
"<abbr title=\"maximal\">Max.</abbr> <abbr title=\"Dynamic Host Configuration "
"Protocol\">DHCP</abbr> leases"
@ -187,9 +193,6 @@ msgid "APN"
msgstr ""
"<abbr title=\"Access Point Name — символічна назва точки доступу\">APN</abbr>"
msgid "AR Support"
msgstr "Підтримка AR"
msgid "ARP retry threshold"
msgstr "Поріг повтору ARP"
@ -233,9 +236,6 @@ msgstr "Концентратор доступу"
msgid "Access Point"
msgstr "Точка доступу"
msgid "Action"
msgstr "Дія"
msgid "Actions"
msgstr "Дії"
@ -309,6 +309,9 @@ msgstr ""
msgid "Allow all except listed"
msgstr "Дозволити всі, крім зазначених"
msgid "Allow legacy 802.11b rates"
msgstr ""
msgid "Allow listed only"
msgstr "Дозволити тільки зазначені"
@ -437,9 +440,6 @@ msgstr ""
msgid "Associated Stations"
msgstr "Приєднані станції"
msgid "Atheros 802.11%s Wireless Controller"
msgstr "Бездротовий 802.11%s контролер Atheros"
msgid "Auth Group"
msgstr ""
@ -515,9 +515,6 @@ msgstr "Повернутися до переліку"
msgid "Back to scan results"
msgstr "Повернутися до результатів сканування"
msgid "Background Scan"
msgstr "Сканування у фоновому режимі"
msgid "Backup / Flash Firmware"
msgstr "Резервне копіювання / Оновлення прошивки"
@ -586,9 +583,6 @@ msgid ""
"preserved in any sysupgrade."
msgstr ""
msgid "Buttons"
msgstr "Кнопки"
msgid "CA certificate; if empty it will be saved after the first connection."
msgstr ""
@ -619,7 +613,7 @@ msgstr "Канал"
msgid "Check"
msgstr "Перевірити"
msgid "Check fileystems before mount"
msgid "Check filesystems before mount"
msgstr ""
msgid "Check this option to delete the existing networks from this radio."
@ -686,8 +680,12 @@ msgstr "Команда"
msgid "Common Configuration"
msgstr "Загальна конфігурація"
msgid "Compression"
msgstr "Стиснення"
msgid ""
"Complicates key reinstallation attacks on the client side by disabling "
"retransmission of EAPOL-Key frames that are used to install keys. This "
"workaround might cause interoperability issues and reduced robustness of key "
"negotiation especially in environments with heavy traffic load."
msgstr ""
msgid "Configuration"
msgstr "Конфігурація"
@ -909,9 +907,6 @@ msgstr "Вимкнути настроювання DNS"
msgid "Disable Encryption"
msgstr ""
msgid "Disable HW-Beacon timer"
msgstr "Вимкнути таймер HW-Beacon"
msgid "Disabled"
msgstr "Вимкнено"
@ -959,9 +954,6 @@ msgstr ""
msgid "Do not forward reverse lookups for local networks"
msgstr "Не спрямовувати зворотний перегляд для локальних мереж"
msgid "Do not send probe responses"
msgstr "Не надсилати відповіді на зондування"
msgid "Domain required"
msgstr "Потрібен домен"
@ -985,6 +977,9 @@ msgstr "Завантажити та інсталювати пакети"
msgid "Download backup"
msgstr "Завантажити резервну копію"
msgid "Downstream SNR offset"
msgstr ""
msgid "Dropbear Instance"
msgstr "Реалізація Dropbear"
@ -1167,8 +1162,14 @@ msgstr ""
msgid "Extra SSH command options"
msgstr ""
msgid "Fast Frames"
msgstr "Швидкі фрейми"
msgid "FT over DS"
msgstr ""
msgid "FT over the Air"
msgstr ""
msgid "FT protocol"
msgstr ""
msgid "File"
msgstr "Файл"
@ -1205,6 +1206,9 @@ msgstr "Готово"
msgid "Firewall"
msgstr "Брандмауер"
msgid "Firewall Mark"
msgstr ""
msgid "Firewall Settings"
msgstr "Настройки брандмауера"
@ -1250,6 +1254,9 @@ msgstr "Примусово TKIP"
msgid "Force TKIP and CCMP (AES)"
msgstr "Примусово TKIP та CCMP (AES)"
msgid "Force link"
msgstr ""
msgid "Force use of NAT-T"
msgstr ""
@ -1265,6 +1272,9 @@ msgstr ""
msgid "Forward broadcast traffic"
msgstr "Спрямовувати широкомовний трафік"
msgid "Forward mesh peer traffic"
msgstr ""
msgid "Forwarding mode"
msgstr "Режим спрямовування"
@ -1309,6 +1319,9 @@ msgstr ""
msgid "Generate Config"
msgstr ""
msgid "Generate PMK locally"
msgstr ""
msgid "Generate archive"
msgstr "Cтворити архів"
@ -1345,9 +1358,6 @@ msgstr ""
msgid "HT mode (802.11n)"
msgstr ""
msgid "Handler"
msgstr "Обробник"
msgid "Hang Up"
msgstr "Призупинити"
@ -1520,7 +1530,7 @@ msgstr "IPv6 через IPv4 (6to4)"
msgid "Identity"
msgstr "Ідентичність"
msgid "If checked, 1DES is enaled"
msgid "If checked, 1DES is enabled"
msgstr ""
msgid "If checked, encryption is disabled"
@ -1661,6 +1671,9 @@ msgstr "Задано невірний VLAN ID! Доступні тільки у
msgid "Invalid username and/or password! Please try again."
msgstr "Неприпустиме ім’я користувача та/або пароль! Спробуйте ще раз."
msgid "Isolate Clients"
msgstr ""
#, fuzzy
msgid ""
"It appears that you are trying to flash an image that does not fit into the "
@ -1669,9 +1682,6 @@ msgstr ""
"Схоже, що ви намагаєтеся залити образ, який не вміщається у флеш-пам'ять! "
"Перевірте файл образу!"
msgid "Java Script required!"
msgstr ""
msgid "JavaScript required!"
msgstr "Потрібен JavaScript!"
@ -1941,9 +1951,6 @@ msgstr ""
msgid "Max. Attainable Data Rate (ATTNDR)"
msgstr ""
msgid "Maximum Rate"
msgstr "Максимальна швидкість"
msgid "Maximum allowed number of active DHCP leases"
msgstr "Максимально допустима кількість активних оренд DHCP"
@ -1956,9 +1963,6 @@ msgstr "Максимально допустимий розмір UDP-пакет
msgid "Maximum amount of seconds to wait for the modem to become ready"
msgstr "Максимальний час очікування готовності модему (секунд)"
msgid "Maximum hold time"
msgstr "Максимальний час утримування"
msgid ""
"Maximum length of the name is 15 characters including the automatic protocol/"
"bridge prefix (br-, 6in4-, pppoe- etc.)"
@ -1976,15 +1980,12 @@ msgstr "Пам'ять"
msgid "Memory usage (%)"
msgstr "Використання пам'яті, %"
msgid "Mesh Id"
msgstr ""
msgid "Metric"
msgstr "Метрика"
msgid "Minimum Rate"
msgstr "Мінімальна швидкість"
msgid "Minimum hold time"
msgstr "Мінімальний час утримування"
msgid "Mirror monitor port"
msgstr ""
@ -2055,9 +2056,6 @@ msgstr "Вниз"
msgid "Move up"
msgstr "Вгору"
msgid "Multicast Rate"
msgstr "Швидкість багатоадресного потоку"
msgid "Multicast address"
msgstr "Адреса багатоадресного потоку"
@ -2070,6 +2068,9 @@ msgstr ""
msgid "NAT64 Prefix"
msgstr ""
msgid "NCM"
msgstr ""
msgid "NDP-Proxy"
msgstr ""
@ -2260,8 +2261,8 @@ msgid "Optional, use when the SIXXS account has more than one tunnel"
msgstr ""
msgid ""
"Optional. Adds in an additional layer of symmetric-key cryptography for post-"
"quantum resistance."
"Optional. 32-bit mark for outgoing encrypted packets. Enter value in hex, "
"starting with <code>0x</code>."
msgstr ""
msgid ""
@ -2271,6 +2272,11 @@ msgid ""
"for the interface."
msgstr ""
msgid ""
"Optional. Base64-encoded preshared key. Adds in an additional layer of "
"symmetric-key cryptography for post-quantum resistance."
msgstr ""
msgid "Optional. Create routes for Allowed IPs for this peer."
msgstr ""
@ -2305,9 +2311,6 @@ msgstr "Вих."
msgid "Outbound:"
msgstr "Вихідний:"
msgid "Outdoor Channels"
msgstr "Зовнішні канали"
msgid "Output Interface"
msgstr ""
@ -2432,9 +2435,6 @@ msgstr "Шлях до сертифікату клієнта"
msgid "Path to Private Key"
msgstr "Шлях до закритого ключа"
msgid "Path to executable which handles the button event"
msgstr "Шлях до програми, яка обробляє натискання кнопки"
msgid "Path to inner CA-Certificate"
msgstr ""
@ -2495,6 +2495,12 @@ msgstr ""
msgid "Pre-emtive CRC errors (CRCP_P)"
msgstr ""
msgid "Prefer LTE"
msgstr ""
msgid "Prefer UMTS"
msgstr ""
msgid "Prefix Delegated"
msgstr ""
@ -2699,9 +2705,6 @@ msgstr "Перепідключення інтерфейсу"
msgid "References"
msgstr "Посилання"
msgid "Regulatory Domain"
msgstr "Регулятивний домен"
msgid "Relay"
msgstr "Ретранслятор"
@ -2750,15 +2753,15 @@ msgstr "Потрібно для деяких провайдерів, напри
msgid "Required. Base64-encoded private key for this interface."
msgstr ""
msgid "Required. Base64-encoded public key of peer."
msgstr ""
msgid ""
"Required. IP addresses and prefixes that this peer is allowed to use inside "
"the tunnel. Usually the peer's tunnel IP addresses and the networks the peer "
"routes through the tunnel."
msgstr ""
msgid "Required. Public key of peer."
msgstr ""
msgid ""
"Requires the 'full' version of wpad/hostapd and support from the wifi driver "
"<br />(as of Feb 2017: ath9k and ath10k, in LEDE also mwlwifi and mt76)"
@ -2905,9 +2908,6 @@ msgstr ""
msgid "Separate Clients"
msgstr "Розділяти клієнтів"
msgid "Separate WDS"
msgstr "Розділяти WDS"
msgid "Server Settings"
msgstr "Настройки сервера"
@ -2931,6 +2931,11 @@ msgstr "Тип сервісу"
msgid "Services"
msgstr "Сервіси"
msgid ""
"Set interface properties regardless of the link carrier (If set, carrier "
"sense events do not invoke hotplug handlers)."
msgstr ""
#, fuzzy
msgid "Set up Time Synchronization"
msgstr "Настройки синхронізації часу"
@ -3013,9 +3018,6 @@ msgstr "Джерело"
msgid "Source routing"
msgstr ""
msgid "Specifies the button state to handle"
msgstr "Визначає стан кнопки для обробки"
msgid "Specifies the directory the device is attached to"
msgstr "Визначає каталог, до якого приєднаний пристрій"
@ -3073,9 +3075,6 @@ msgstr "Статичні оренди"
msgid "Static Routes"
msgstr "Статичні маршрути"
msgid "Static WDS"
msgstr "Статичний WDS"
msgid "Static address"
msgstr "Статичні адреси"
@ -3126,6 +3125,9 @@ msgid ""
"Switch %q has an unknown topology - the VLAN settings might not be accurate."
msgstr ""
msgid "Switch Port Mask"
msgstr ""
msgid "Switch VLAN"
msgstr ""
@ -3426,9 +3428,6 @@ msgstr ""
"У цьому списку наведені працюючі на даний момент системні процеси та їх "
"статус."
msgid "This page allows the configuration of custom button actions"
msgstr "Ця сторінка дозволяє настроїти нетипові дії кнопки"
msgid "This page gives an overview over currently active network connections."
msgstr "Ця сторінка надає огляд поточних активних мережних підключень."
@ -3502,9 +3501,6 @@ msgstr ""
msgid "Tunnel type"
msgstr ""
msgid "Turbo Mode"
msgstr "Режим Turbo"
msgid "Tx-Power"
msgstr "Потужність передавача"
@ -3618,9 +3614,9 @@ msgstr "Використовувати таблицю маршрутизації
msgid ""
"Use the <em>Add</em> Button to add a new lease entry. The <em>MAC-Address</"
"em> indentifies the host, the <em>IPv4-Address</em> specifies to the fixed "
"address to use and the <em>Hostname</em> is assigned as symbolic name to the "
"requesting host. The optional <em>Lease time</em> can be used to set non-"
"em> indentifies the host, the <em>IPv4-Address</em> specifies the fixed "
"address to use, and the <em>Hostname</em> is assigned as a symbolic name to "
"the requesting host. The optional <em>Lease time</em> can be used to set non-"
"standard host-specific lease time, e.g. 12h, 3d or infinite."
msgstr ""
"Використовуйте кнопку <em>Додати</em>, щоб додати новий запис оренди. "
@ -3740,6 +3736,11 @@ msgstr "Застереження"
msgid "Warning: There are unsaved changes that will get lost on reboot!"
msgstr ""
msgid ""
"When using a PSK, the PMK can be generated locally without inter AP "
"communications"
msgstr ""
msgid "Whether to create an IPv6 default route over the tunnel"
msgstr ""
@ -3785,22 +3786,12 @@ msgstr "Бездротова мережа перезапущена"
msgid "Wireless shut down"
msgstr "Бездротова мережа припинила роботу"
msgid ""
"Complicates key reinstallation attacks on the client side by disabling "
"retransmission of EAPOL-Key frames that are used to install keys. This "
"workaround might cause interoperability issues and reduced robustness of key "
"negotiation especially in environments with heavy traffic load."
msgstr ""
msgid "Write received DNS requests to syslog"
msgstr "Записувати отримані DNS-запити до системного журналу"
msgid "Write system log to file"
msgstr ""
msgid "XR Support"
msgstr "Підтримка XR"
msgid ""
"You can enable or disable installed init scripts here. Changes will applied "
"after a device reboot.<br /><strong>Warning: If you disable essential init "
@ -3811,10 +3802,6 @@ msgstr ""
"Якщо ви вимкнете основний скрипт ініціалізації (наприклад \"network\"), "
"пристрій може стати недоступним!</strong>"
msgid ""
"You must enable Java Script in your browser or LuCI will not work properly."
msgstr ""
msgid ""
"You must enable JavaScript in your browser or LuCI will not work properly."
msgstr ""
@ -3935,6 +3922,9 @@ msgstr "відкрита"
msgid "overlay"
msgstr ""
msgid "random"
msgstr ""
msgid "relay mode"
msgstr ""
@ -3980,9 +3970,81 @@ msgstr "так"
msgid "« Back"
msgstr "« Назад"
#~ msgid "Action"
#~ msgstr "Дія"
#~ msgid "Buttons"
#~ msgstr "Кнопки"
#~ msgid "Handler"
#~ msgstr "Обробник"
#~ msgid "Maximum hold time"
#~ msgstr "Максимальний час утримування"
#~ msgid "Minimum hold time"
#~ msgstr "Мінімальний час утримування"
#~ msgid "Path to executable which handles the button event"
#~ msgstr "Шлях до програми, яка обробляє натискання кнопки"
#~ msgid "Specifies the button state to handle"
#~ msgstr "Визначає стан кнопки для обробки"
#~ msgid "This page allows the configuration of custom button actions"
#~ msgstr "Ця сторінка дозволяє настроїти нетипові дії кнопки"
#~ msgid "Leasetime"
#~ msgstr "Час оренди"
#~ msgid "AR Support"
#~ msgstr "Підтримка AR"
#~ msgid "Atheros 802.11%s Wireless Controller"
#~ msgstr "Бездротовий 802.11%s контролер Atheros"
#~ msgid "Background Scan"
#~ msgstr "Сканування у фоновому режимі"
#~ msgid "Compression"
#~ msgstr "Стиснення"
#~ msgid "Disable HW-Beacon timer"
#~ msgstr "Вимкнути таймер HW-Beacon"
#~ msgid "Do not send probe responses"
#~ msgstr "Не надсилати відповіді на зондування"
#~ msgid "Fast Frames"
#~ msgstr "Швидкі фрейми"
#~ msgid "Maximum Rate"
#~ msgstr "Максимальна швидкість"
#~ msgid "Minimum Rate"
#~ msgstr "Мінімальна швидкість"
#~ msgid "Multicast Rate"
#~ msgstr "Швидкість багатоадресного потоку"
#~ msgid "Outdoor Channels"
#~ msgstr "Зовнішні канали"
#~ msgid "Regulatory Domain"
#~ msgstr "Регулятивний домен"
#~ msgid "Separate WDS"
#~ msgstr "Розділяти WDS"
#~ msgid "Static WDS"
#~ msgstr "Статичний WDS"
#~ msgid "Turbo Mode"
#~ msgstr "Режим Turbo"
#~ msgid "XR Support"
#~ msgstr "Підтримка XR"
#~ msgid "An additional network will be created if you leave this unchecked."
#~ msgstr "Якщо ви залишите це невибраним, буде створена додаткова мережа."

View file

@ -12,6 +12,9 @@ msgstr ""
"Content-Transfer-Encoding: 8bit\n"
"X-Generator: Pootle 1.1.0\n"
msgid "%.1f dB"
msgstr ""
msgid "%s is untagged in multiple VLANs!"
msgstr ""
@ -130,6 +133,9 @@ msgstr ""
msgid "<abbr title=\"Media Access Control\">MAC</abbr>-Address"
msgstr "<abbr title=\"Media Access Control\">MAC</abbr>-Address"
msgid "<abbr title=\"The DHCP Unique Identifier\">DUID</abbr>"
msgstr ""
msgid ""
"<abbr title=\"maximal\">Max.</abbr> <abbr title=\"Dynamic Host Configuration "
"Protocol\">DHCP</abbr> leases"
@ -169,9 +175,6 @@ msgstr ""
msgid "APN"
msgstr ""
msgid "AR Support"
msgstr "Hỗ trợ AR"
msgid "ARP retry threshold"
msgstr ""
@ -208,9 +211,6 @@ msgstr ""
msgid "Access Point"
msgstr "Điểm truy cập"
msgid "Action"
msgstr "Action"
msgid "Actions"
msgstr "Hành động"
@ -282,6 +282,9 @@ msgstr "Cho phép <abbr title=\"Secure Shell\">SSH</abbr> xác thực mật mã"
msgid "Allow all except listed"
msgstr "Cho phép tất cả trừ danh sách liệt kê"
msgid "Allow legacy 802.11b rates"
msgstr ""
msgid "Allow listed only"
msgstr "Chỉ cho phép danh sách liệt kê"
@ -407,9 +410,6 @@ msgstr ""
msgid "Associated Stations"
msgstr ""
msgid "Atheros 802.11%s Wireless Controller"
msgstr ""
msgid "Auth Group"
msgstr ""
@ -485,9 +485,6 @@ msgstr ""
msgid "Back to scan results"
msgstr ""
msgid "Background Scan"
msgstr "Background Scan"
msgid "Backup / Flash Firmware"
msgstr ""
@ -553,9 +550,6 @@ msgid ""
"preserved in any sysupgrade."
msgstr ""
msgid "Buttons"
msgstr ""
msgid "CA certificate; if empty it will be saved after the first connection."
msgstr ""
@ -586,7 +580,7 @@ msgstr "Kênh"
msgid "Check"
msgstr ""
msgid "Check fileystems before mount"
msgid "Check filesystems before mount"
msgstr ""
msgid "Check this option to delete the existing networks from this radio."
@ -642,8 +636,12 @@ msgstr "Lệnh"
msgid "Common Configuration"
msgstr ""
msgid "Compression"
msgstr "Sức nén"
msgid ""
"Complicates key reinstallation attacks on the client side by disabling "
"retransmission of EAPOL-Key frames that are used to install keys. This "
"workaround might cause interoperability issues and reduced robustness of key "
"negotiation especially in environments with heavy traffic load."
msgstr ""
msgid "Configuration"
msgstr "Cấu hình"
@ -860,9 +858,6 @@ msgstr ""
msgid "Disable Encryption"
msgstr ""
msgid "Disable HW-Beacon timer"
msgstr "Vô hiệu hóa bộ chỉnh giờ HW-Beacon"
msgid "Disabled"
msgstr ""
@ -907,9 +902,6 @@ msgstr ""
msgid "Do not forward reverse lookups for local networks"
msgstr ""
msgid "Do not send probe responses"
msgstr "Không gửi nhắc hồi đáp"
msgid "Domain required"
msgstr "Domain yêu cầu"
@ -932,6 +924,9 @@ msgstr "Tải và cài đặt gói"
msgid "Download backup"
msgstr ""
msgid "Downstream SNR offset"
msgstr ""
msgid "Dropbear Instance"
msgstr ""
@ -1109,8 +1104,14 @@ msgstr ""
msgid "Extra SSH command options"
msgstr ""
msgid "Fast Frames"
msgstr "Khung nhanh"
msgid "FT over DS"
msgstr ""
msgid "FT over the Air"
msgstr ""
msgid "FT protocol"
msgstr ""
msgid "File"
msgstr ""
@ -1147,6 +1148,9 @@ msgstr ""
msgid "Firewall"
msgstr "Firewall"
msgid "Firewall Mark"
msgstr ""
msgid "Firewall Settings"
msgstr ""
@ -1192,6 +1196,9 @@ msgstr ""
msgid "Force TKIP and CCMP (AES)"
msgstr ""
msgid "Force link"
msgstr ""
msgid "Force use of NAT-T"
msgstr ""
@ -1207,6 +1214,9 @@ msgstr ""
msgid "Forward broadcast traffic"
msgstr ""
msgid "Forward mesh peer traffic"
msgstr ""
msgid "Forwarding mode"
msgstr ""
@ -1251,6 +1261,9 @@ msgstr ""
msgid "Generate Config"
msgstr ""
msgid "Generate PMK locally"
msgstr ""
msgid "Generate archive"
msgstr ""
@ -1287,9 +1300,6 @@ msgstr ""
msgid "HT mode (802.11n)"
msgstr ""
msgid "Handler"
msgstr ""
msgid "Hang Up"
msgstr "Hang Up"
@ -1458,7 +1468,7 @@ msgstr ""
msgid "Identity"
msgstr "Nhận dạng"
msgid "If checked, 1DES is enaled"
msgid "If checked, 1DES is enabled"
msgstr ""
msgid "If checked, encryption is disabled"
@ -1593,6 +1603,9 @@ msgstr ""
msgid "Invalid username and/or password! Please try again."
msgstr "Tên và mật mã không đúng. Xin thử lại "
msgid "Isolate Clients"
msgstr ""
#, fuzzy
msgid ""
"It appears that you are trying to flash an image that does not fit into the "
@ -1601,9 +1614,6 @@ msgstr ""
"Dường như bạn cố gắng flash một hình ảnh không phù hợp với bộ nhớ flash, xin "
"vui lòng xác minh các tập tin hình ảnh!"
msgid "Java Script required!"
msgstr ""
msgid "JavaScript required!"
msgstr ""
@ -1862,9 +1872,6 @@ msgstr ""
msgid "Max. Attainable Data Rate (ATTNDR)"
msgstr ""
msgid "Maximum Rate"
msgstr "Mức cao nhất"
msgid "Maximum allowed number of active DHCP leases"
msgstr ""
@ -1877,9 +1884,6 @@ msgstr ""
msgid "Maximum amount of seconds to wait for the modem to become ready"
msgstr ""
msgid "Maximum hold time"
msgstr "Mức cao nhất"
msgid ""
"Maximum length of the name is 15 characters including the automatic protocol/"
"bridge prefix (br-, 6in4-, pppoe- etc.)"
@ -1897,15 +1901,12 @@ msgstr "Bộ nhớ"
msgid "Memory usage (%)"
msgstr "Memory usage (%)"
msgid "Mesh Id"
msgstr ""
msgid "Metric"
msgstr "Metric"
msgid "Minimum Rate"
msgstr "Mức thấp nhất"
msgid "Minimum hold time"
msgstr "Mức thấp nhất"
msgid "Mirror monitor port"
msgstr ""
@ -1976,9 +1977,6 @@ msgstr ""
msgid "Move up"
msgstr ""
msgid "Multicast Rate"
msgstr "Multicast Rate"
msgid "Multicast address"
msgstr ""
@ -1991,6 +1989,9 @@ msgstr ""
msgid "NAT64 Prefix"
msgstr ""
msgid "NCM"
msgstr ""
msgid "NDP-Proxy"
msgstr ""
@ -2181,8 +2182,8 @@ msgid "Optional, use when the SIXXS account has more than one tunnel"
msgstr ""
msgid ""
"Optional. Adds in an additional layer of symmetric-key cryptography for post-"
"quantum resistance."
"Optional. 32-bit mark for outgoing encrypted packets. Enter value in hex, "
"starting with <code>0x</code>."
msgstr ""
msgid ""
@ -2192,6 +2193,11 @@ msgid ""
"for the interface."
msgstr ""
msgid ""
"Optional. Base64-encoded preshared key. Adds in an additional layer of "
"symmetric-key cryptography for post-quantum resistance."
msgstr ""
msgid "Optional. Create routes for Allowed IPs for this peer."
msgstr ""
@ -2226,9 +2232,6 @@ msgstr "Ra khỏi"
msgid "Outbound:"
msgstr ""
msgid "Outdoor Channels"
msgstr "Kênh ngoại mạng"
msgid "Output Interface"
msgstr ""
@ -2348,9 +2351,6 @@ msgstr ""
msgid "Path to Private Key"
msgstr "Đường dẫn tới private key"
msgid "Path to executable which handles the button event"
msgstr ""
msgid "Path to inner CA-Certificate"
msgstr ""
@ -2411,6 +2411,12 @@ msgstr ""
msgid "Pre-emtive CRC errors (CRCP_P)"
msgstr ""
msgid "Prefer LTE"
msgstr ""
msgid "Prefer UMTS"
msgstr ""
msgid "Prefix Delegated"
msgstr ""
@ -2599,9 +2605,6 @@ msgstr ""
msgid "References"
msgstr "Tham chiếu"
msgid "Regulatory Domain"
msgstr "Miền điều chỉnh"
msgid "Relay"
msgstr ""
@ -2650,15 +2653,15 @@ msgstr ""
msgid "Required. Base64-encoded private key for this interface."
msgstr ""
msgid "Required. Base64-encoded public key of peer."
msgstr ""
msgid ""
"Required. IP addresses and prefixes that this peer is allowed to use inside "
"the tunnel. Usually the peer's tunnel IP addresses and the networks the peer "
"routes through the tunnel."
msgstr ""
msgid "Required. Public key of peer."
msgstr ""
msgid ""
"Requires the 'full' version of wpad/hostapd and support from the wifi driver "
"<br />(as of Feb 2017: ath9k and ath10k, in LEDE also mwlwifi and mt76)"
@ -2803,9 +2806,6 @@ msgstr ""
msgid "Separate Clients"
msgstr "Cô lập đối tượng"
msgid "Separate WDS"
msgstr "Phân tách WDS"
msgid "Server Settings"
msgstr ""
@ -2829,6 +2829,11 @@ msgstr ""
msgid "Services"
msgstr "Dịch vụ "
msgid ""
"Set interface properties regardless of the link carrier (If set, carrier "
"sense events do not invoke hotplug handlers)."
msgstr ""
msgid "Set up Time Synchronization"
msgstr ""
@ -2907,9 +2912,6 @@ msgstr "Nguồn"
msgid "Source routing"
msgstr ""
msgid "Specifies the button state to handle"
msgstr ""
msgid "Specifies the directory the device is attached to"
msgstr ""
@ -2963,9 +2965,6 @@ msgstr "Thống kê leases"
msgid "Static Routes"
msgstr "Static Routes"
msgid "Static WDS"
msgstr ""
msgid "Static address"
msgstr ""
@ -3012,6 +3011,9 @@ msgid ""
"Switch %q has an unknown topology - the VLAN settings might not be accurate."
msgstr ""
msgid "Switch Port Mask"
msgstr ""
msgid "Switch VLAN"
msgstr ""
@ -3269,9 +3271,6 @@ msgstr ""
"List này đưa ra một tầm nhìn tổng quát về xử lý hệ thống đang chạy và tình "
"trạng của chúng."
msgid "This page allows the configuration of custom button actions"
msgstr ""
msgid "This page gives an overview over currently active network connections."
msgstr ""
"Trang này cung cấp một tổng quan về đang hoạt động kết nối mạng hiện tại."
@ -3344,9 +3343,6 @@ msgstr ""
msgid "Tunnel type"
msgstr ""
msgid "Turbo Mode"
msgstr "Turbo Mode"
msgid "Tx-Power"
msgstr ""
@ -3457,9 +3453,9 @@ msgstr ""
msgid ""
"Use the <em>Add</em> Button to add a new lease entry. The <em>MAC-Address</"
"em> indentifies the host, the <em>IPv4-Address</em> specifies to the fixed "
"address to use and the <em>Hostname</em> is assigned as symbolic name to the "
"requesting host. The optional <em>Lease time</em> can be used to set non-"
"em> indentifies the host, the <em>IPv4-Address</em> specifies the fixed "
"address to use, and the <em>Hostname</em> is assigned as a symbolic name to "
"the requesting host. The optional <em>Lease time</em> can be used to set non-"
"standard host-specific lease time, e.g. 12h, 3d or infinite."
msgstr ""
@ -3573,6 +3569,11 @@ msgstr ""
msgid "Warning: There are unsaved changes that will get lost on reboot!"
msgstr ""
msgid ""
"When using a PSK, the PMK can be generated locally without inter AP "
"communications"
msgstr ""
msgid "Whether to create an IPv6 default route over the tunnel"
msgstr ""
@ -3618,22 +3619,12 @@ msgstr ""
msgid "Wireless shut down"
msgstr ""
msgid ""
"Complicates key reinstallation attacks on the client side by disabling "
"retransmission of EAPOL-Key frames that are used to install keys. This "
"workaround might cause interoperability issues and reduced robustness of key "
"negotiation especially in environments with heavy traffic load."
msgstr ""
msgid "Write received DNS requests to syslog"
msgstr ""
msgid "Write system log to file"
msgstr ""
msgid "XR Support"
msgstr "Hỗ trợ XR"
msgid ""
"You can enable or disable installed init scripts here. Changes will applied "
"after a device reboot.<br /><strong>Warning: If you disable essential init "
@ -3644,10 +3635,6 @@ msgstr ""
"hiệu hoá init script thiết yếu như &amp;quot;network&amp;quot;, công cụ của "
"bạn chó thể trở nên không truy cập được</strong>"
msgid ""
"You must enable Java Script in your browser or LuCI will not work properly."
msgstr ""
msgid ""
"You must enable JavaScript in your browser or LuCI will not work properly."
msgstr ""
@ -3764,6 +3751,9 @@ msgstr ""
msgid "overlay"
msgstr ""
msgid "random"
msgstr ""
msgid "relay mode"
msgstr ""
@ -3809,9 +3799,60 @@ msgstr ""
msgid "« Back"
msgstr ""
#~ msgid "Action"
#~ msgstr "Action"
#~ msgid "Maximum hold time"
#~ msgstr "Mức cao nhất"
#~ msgid "Minimum hold time"
#~ msgstr "Mức thấp nhất"
#~ msgid "Leasetime"
#~ msgstr "Leasetime"
#, fuzzy
#~ msgid "automatic"
#~ msgstr "thống kê"
#~ msgid "AR Support"
#~ msgstr "Hỗ trợ AR"
#~ msgid "Background Scan"
#~ msgstr "Background Scan"
#~ msgid "Compression"
#~ msgstr "Sức nén"
#~ msgid "Disable HW-Beacon timer"
#~ msgstr "Vô hiệu hóa bộ chỉnh giờ HW-Beacon"
#~ msgid "Do not send probe responses"
#~ msgstr "Không gửi nhắc hồi đáp"
#~ msgid "Fast Frames"
#~ msgstr "Khung nhanh"
#~ msgid "Maximum Rate"
#~ msgstr "Mức cao nhất"
#~ msgid "Minimum Rate"
#~ msgstr "Mức thấp nhất"
#~ msgid "Multicast Rate"
#~ msgstr "Multicast Rate"
#~ msgid "Outdoor Channels"
#~ msgstr "Kênh ngoại mạng"
#~ msgid "Regulatory Domain"
#~ msgstr "Miền điều chỉnh"
#~ msgid "Separate WDS"
#~ msgstr "Phân tách WDS"
#~ msgid "Turbo Mode"
#~ msgstr "Turbo Mode"
#~ msgid "XR Support"
#~ msgstr "Hỗ trợ XR"

File diff suppressed because it is too large Load diff

View file

@ -11,6 +11,9 @@ msgstr ""
"Plural-Forms: nplurals=1; plural=0;\n"
"X-Generator: Pootle 2.0.6\n"
msgid "%.1f dB"
msgstr ""
msgid "%s is untagged in multiple VLANs!"
msgstr ""
@ -127,6 +130,9 @@ msgstr "<abbr title=\"Light Emitting Diode\">LED</abbr> 名稱"
msgid "<abbr title=\"Media Access Control\">MAC</abbr>-Address"
msgstr "<abbr title=\"Media Access Control\">MAC</abbr>-位置"
msgid "<abbr title=\"The DHCP Unique Identifier\">DUID</abbr>"
msgstr ""
msgid ""
"<abbr title=\"maximal\">Max.</abbr> <abbr title=\"Dynamic Host Configuration "
"Protocol\">DHCP</abbr> leases"
@ -170,9 +176,6 @@ msgstr ""
msgid "APN"
msgstr "APN"
msgid "AR Support"
msgstr "AR支援"
msgid "ARP retry threshold"
msgstr "ARP重試門檻"
@ -211,9 +214,6 @@ msgstr "接入集線器"
msgid "Access Point"
msgstr "存取點 (AP)"
msgid "Action"
msgstr "動作"
msgid "Actions"
msgstr "動作"
@ -285,6 +285,9 @@ msgstr "允許 <abbr title=\"Secure Shell\">SSH</abbr> 密碼驗證"
msgid "Allow all except listed"
msgstr "僅允許列表外"
msgid "Allow legacy 802.11b rates"
msgstr ""
msgid "Allow listed only"
msgstr "僅允許列表內"
@ -410,9 +413,6 @@ msgstr ""
msgid "Associated Stations"
msgstr "已連接站點"
msgid "Atheros 802.11%s Wireless Controller"
msgstr "Atheros 802.11%s 無線控制器"
msgid "Auth Group"
msgstr ""
@ -488,9 +488,6 @@ msgstr "返回至總覽"
msgid "Back to scan results"
msgstr "返回至掃描結果"
msgid "Background Scan"
msgstr "背景搜尋"
msgid "Backup / Flash Firmware"
msgstr "備份/升級韌體"
@ -558,9 +555,6 @@ msgid ""
"preserved in any sysupgrade."
msgstr ""
msgid "Buttons"
msgstr "按鈕"
msgid "CA certificate; if empty it will be saved after the first connection."
msgstr ""
@ -591,7 +585,7 @@ msgstr "頻道"
msgid "Check"
msgstr "檢查"
msgid "Check fileystems before mount"
msgid "Check filesystems before mount"
msgstr ""
msgid "Check this option to delete the existing networks from this radio."
@ -606,14 +600,14 @@ msgid ""
"fill out the <em>create</em> field to define a new zone and attach the "
"interface to it."
msgstr ""
"選擇要指定給這介面的防火牆區. 撿選<em>unspecified</em>以便從指定區域除這個"
"選擇要指定給這介面的防火牆區. 撿選<em>unspecified</em>以便從指定區域除這個"
"介面或者填寫<em>create</em>欄以便定義附加這個介面到一個新的區域上."
msgid ""
"Choose the network(s) you want to attach to this wireless interface or fill "
"out the <em>create</em> field to define a new network."
msgstr ""
"選擇要附加到無線網路介面的多個網路或者填寫<em>create</em> 以便定義一個新的"
"選擇要附加到無線網路介面的多個網路或者填寫<em>create</em> 以便定義一個新的"
"網路."
msgid "Cipher"
@ -653,8 +647,12 @@ msgstr "指令"
msgid "Common Configuration"
msgstr "一般設定"
msgid "Compression"
msgstr "壓縮"
msgid ""
"Complicates key reinstallation attacks on the client side by disabling "
"retransmission of EAPOL-Key frames that are used to install keys. This "
"workaround might cause interoperability issues and reduced robustness of key "
"negotiation especially in environments with heavy traffic load."
msgstr ""
msgid "Configuration"
msgstr "設定"
@ -874,9 +872,6 @@ msgstr "關閉DNS設置"
msgid "Disable Encryption"
msgstr ""
msgid "Disable HW-Beacon timer"
msgstr "關閉硬體燈號計時器"
msgid "Disabled"
msgstr "關閉"
@ -920,9 +915,6 @@ msgstr "對不被公用名稱伺服器回應的請求不轉發"
msgid "Do not forward reverse lookups for local networks"
msgstr "對本地網域不轉發反解析鎖定"
msgid "Do not send probe responses"
msgstr "不傳送探測回應"
msgid "Domain required"
msgstr "網域必要的"
@ -945,6 +937,9 @@ msgstr "下載並安裝軟體包"
msgid "Download backup"
msgstr "下載備份檔"
msgid "Downstream SNR offset"
msgstr ""
msgid "Dropbear Instance"
msgstr "Dropbear SSH例子"
@ -1122,8 +1117,14 @@ msgstr ""
msgid "Extra SSH command options"
msgstr ""
msgid "Fast Frames"
msgstr "快速迅框群"
msgid "FT over DS"
msgstr ""
msgid "FT over the Air"
msgstr ""
msgid "FT protocol"
msgstr ""
msgid "File"
msgstr "檔案"
@ -1160,6 +1161,9 @@ msgstr "完成"
msgid "Firewall"
msgstr "防火牆"
msgid "Firewall Mark"
msgstr ""
msgid "Firewall Settings"
msgstr "防火牆設定"
@ -1205,6 +1209,9 @@ msgstr "強制TKIP加密"
msgid "Force TKIP and CCMP (AES)"
msgstr "強制TKIP+CCMP (AES)加密"
msgid "Force link"
msgstr ""
msgid "Force use of NAT-T"
msgstr ""
@ -1220,6 +1227,9 @@ msgstr ""
msgid "Forward broadcast traffic"
msgstr "轉發廣播流量"
msgid "Forward mesh peer traffic"
msgstr ""
msgid "Forwarding mode"
msgstr "轉發模式"
@ -1264,6 +1274,9 @@ msgstr ""
msgid "Generate Config"
msgstr ""
msgid "Generate PMK locally"
msgstr ""
msgid "Generate archive"
msgstr "製作壓縮檔"
@ -1300,9 +1313,6 @@ msgstr ""
msgid "HT mode (802.11n)"
msgstr ""
msgid "Handler"
msgstr "多執行緒"
msgid "Hang Up"
msgstr "斷線"
@ -1469,7 +1479,7 @@ msgstr "IPv6凌駕IPv4外(6轉4)"
msgid "Identity"
msgstr "特性"
msgid "If checked, 1DES is enaled"
msgid "If checked, 1DES is enabled"
msgstr ""
msgid "If checked, encryption is disabled"
@ -1497,7 +1507,7 @@ msgid ""
"slow process as the swap-device cannot be accessed with the high datarates "
"of the <abbr title=\"Random Access Memory\">RAM</abbr>."
msgstr ""
"如果的物理內存不足時,未使用的數據可以是暫時交換到導致更高的交換設備量的可用"
"如果的物理內存不足時,未使用的數據可以是暫時交換到導致更高的交換設備量的可用"
"<abbr title=\"Random Access Memory\">RAM</abbr>內.請注意,交換數據是一個非常"
"緩慢的過程,作為交換裝置不能用高數據速率訪問該<abbr title=\"Random Access "
"Memory\">RAM</縮寫>"
@ -1603,14 +1613,14 @@ msgstr "打入的是不正確的VLAN ID!僅有獨一無二的IDs被允許"
msgid "Invalid username and/or password! Please try again."
msgstr "不正確的用戶名稱和/或者密碼!請再試一次."
msgid "Isolate Clients"
msgstr ""
#, fuzzy
msgid ""
"It appears that you are trying to flash an image that does not fit into the "
"flash memory, please verify the image file!"
msgstr "它顯示你正嘗試更新不適用於這個flash記憶體的映像檔,請檢查確認這個映像檔"
msgid "Java Script required!"
msgstr ""
msgstr "它顯示您正嘗試更新不適用於這個flash記憶體的映像檔,請檢查確認這個映像檔"
msgid "JavaScript required!"
msgstr "需要Java腳本"
@ -1871,9 +1881,6 @@ msgstr ""
msgid "Max. Attainable Data Rate (ATTNDR)"
msgstr ""
msgid "Maximum Rate"
msgstr "最快速度"
msgid "Maximum allowed number of active DHCP leases"
msgstr "允許啟用DHCP釋放的最大數量"
@ -1886,9 +1893,6 @@ msgstr "允許EDNS.0 協定的UDP封包最大數量"
msgid "Maximum amount of seconds to wait for the modem to become ready"
msgstr "等待數據機待命的最大秒數"
msgid "Maximum hold time"
msgstr "可持有最長時間"
msgid ""
"Maximum length of the name is 15 characters including the automatic protocol/"
"bridge prefix (br-, 6in4-, pppoe- etc.)"
@ -1906,15 +1910,12 @@ msgstr "記憶體"
msgid "Memory usage (%)"
msgstr "記憶體使用 (%)"
msgid "Mesh Id"
msgstr ""
msgid "Metric"
msgstr "公測單位"
msgid "Minimum Rate"
msgstr "最低速度"
msgid "Minimum hold time"
msgstr "可持有的最低時間"
msgid "Mirror monitor port"
msgstr ""
@ -1983,9 +1984,6 @@ msgstr "往下移"
msgid "Move up"
msgstr "往上移"
msgid "Multicast Rate"
msgstr "多點群播速度"
msgid "Multicast address"
msgstr "多點群播位址"
@ -1998,6 +1996,9 @@ msgstr ""
msgid "NAT64 Prefix"
msgstr ""
msgid "NCM"
msgstr ""
msgid "NDP-Proxy"
msgstr ""
@ -2141,8 +2142,8 @@ msgid ""
"<samp>INTERFACE.VLANNR</samp> (<abbr title=\"for example\">e.g.</abbr>: "
"<samp>eth0.1</samp>)."
msgstr ""
"在這個頁面可以設定網路介面. 只要點下這個\"介面群橋接\"而且打入數個以空格分"
"開網路介面的名稱就可以橋接數個介面群. 也可以使用<abbr title=\"Virtual "
"在這個頁面可以設定網路介面. 只要點下這個\"介面群橋接\"而且打入數個以空格分"
"開網路介面的名稱就可以橋接數個介面群. 也可以使用<abbr title=\"Virtual "
"Local Area Network\">VLAN</abbr> 符號<samp>INTERFACE.VLANNR</samp> (<abbr "
"title=\"for example\">例.如</abbr>: <samp>eth0.1</samp>)."
@ -2186,8 +2187,8 @@ msgid "Optional, use when the SIXXS account has more than one tunnel"
msgstr ""
msgid ""
"Optional. Adds in an additional layer of symmetric-key cryptography for post-"
"quantum resistance."
"Optional. 32-bit mark for outgoing encrypted packets. Enter value in hex, "
"starting with <code>0x</code>."
msgstr ""
msgid ""
@ -2197,6 +2198,11 @@ msgid ""
"for the interface."
msgstr ""
msgid ""
"Optional. Base64-encoded preshared key. Adds in an additional layer of "
"symmetric-key cryptography for post-quantum resistance."
msgstr ""
msgid "Optional. Create routes for Allowed IPs for this peer."
msgstr ""
@ -2231,9 +2237,6 @@ msgstr "出"
msgid "Outbound:"
msgstr "外連:"
msgid "Outdoor Channels"
msgstr "室外通道"
msgid "Output Interface"
msgstr ""
@ -2353,9 +2356,6 @@ msgstr "用戶端-證書的路徑"
msgid "Path to Private Key"
msgstr "私人金鑰的路徑"
msgid "Path to executable which handles the button event"
msgstr "處理按鍵效果可執行檔路徑"
msgid "Path to inner CA-Certificate"
msgstr ""
@ -2399,7 +2399,7 @@ msgid "Pkts."
msgstr "封包數."
msgid "Please enter your username and password."
msgstr "請輸入的用戶名稱和密碼"
msgstr "請輸入的用戶名稱和密碼"
msgid "Policy"
msgstr "策略"
@ -2416,6 +2416,12 @@ msgstr ""
msgid "Pre-emtive CRC errors (CRCP_P)"
msgstr ""
msgid "Prefer LTE"
msgstr ""
msgid "Prefer UMTS"
msgstr ""
msgid "Prefix Delegated"
msgstr ""
@ -2535,14 +2541,14 @@ msgid ""
"lose access to this device if you are connected via this interface."
msgstr ""
"真的要刪除這介面?無法復元刪除!\n"
"假如你要透過這個介面連線你可能會無法存取這個設備."
"假如您要透過這個介面連線您可能會無法存取這個設備."
msgid ""
"Really delete this wireless network? The deletion cannot be undone!\\nYou "
"might lose access to this device if you are connected via this network."
msgstr ""
"真的要刪除這個無線網路?無法復元的刪除!\n"
"假如你是透過這個網路連線你可能會無法存取這個設備."
"假如您是透過這個網路連線您可能會無法存取這個設備."
msgid "Really reset all changes?"
msgstr "確定要重置回復原廠?"
@ -2553,14 +2559,14 @@ msgid ""
"connected via this interface."
msgstr ""
"真的要刪除這個網路 ?\n"
"假如你是透過這個介面連線你可能會無法存取這個設備."
"假如您是透過這個介面連線您可能會無法存取這個設備."
msgid ""
"Really shutdown interface \"%s\" ?\\nYou might lose access to this device if "
"you are connected via this interface."
msgstr ""
"真的要關閉這個介面 \"%s\" ?!\n"
"假如你要透過這個介面連線你可能會無法存取這個設備."
"假如您要透過這個介面連線您可能會無法存取這個設備."
msgid "Really switch protocol?"
msgstr "確定要更換協定?"
@ -2593,7 +2599,7 @@ msgid "Rebooting..."
msgstr "重開中..."
msgid "Reboots the operating system of your device"
msgstr "重啟設備的作業系統"
msgstr "重啟設備的作業系統"
msgid "Receive"
msgstr "接收"
@ -2613,9 +2619,6 @@ msgstr "重連這個介面中"
msgid "References"
msgstr "引用"
msgid "Regulatory Domain"
msgstr "監管網域"
msgid "Relay"
msgstr "延遲"
@ -2664,15 +2667,15 @@ msgstr "對特定的ISP需要,例如.DOCSIS 3 加速有線電視寬頻網路"
msgid "Required. Base64-encoded private key for this interface."
msgstr ""
msgid "Required. Base64-encoded public key of peer."
msgstr ""
msgid ""
"Required. IP addresses and prefixes that this peer is allowed to use inside "
"the tunnel. Usually the peer's tunnel IP addresses and the networks the peer "
"routes through the tunnel."
msgstr ""
msgid "Required. Public key of peer."
msgstr ""
msgid ""
"Requires the 'full' version of wpad/hostapd and support from the wifi driver "
"<br />(as of Feb 2017: ath9k and ath10k, in LEDE also mwlwifi and mt76)"
@ -2815,9 +2818,6 @@ msgstr "傳送LCP呼叫請求在這個給予的秒數間隔內, 僅影響關聯
msgid "Separate Clients"
msgstr "分隔用戶端"
msgid "Separate WDS"
msgstr "分隔WDS中繼"
msgid "Server Settings"
msgstr "伺服器設定值"
@ -2841,6 +2841,11 @@ msgstr "服務型態"
msgid "Services"
msgstr "各服務"
msgid ""
"Set interface properties regardless of the link carrier (If set, carrier "
"sense events do not invoke hotplug handlers)."
msgstr ""
#, fuzzy
msgid "Set up Time Synchronization"
msgstr "安裝校時同步"
@ -2900,7 +2905,7 @@ msgid "Some fields are invalid, cannot save values!"
msgstr "有些欄位失效, 無法儲存數值!"
msgid "Sorry, the object you requested was not found."
msgstr "抱歉, 請求的這物件尚無發現."
msgstr "抱歉, 請求的這物件尚無發現."
msgid "Sorry, the server encountered an unexpected error."
msgstr "抱歉, 伺服器遭遇非預期的錯誤."
@ -2922,9 +2927,6 @@ msgstr "來源"
msgid "Source routing"
msgstr ""
msgid "Specifies the button state to handle"
msgstr "指定這個按鈕狀態以便操作"
msgid "Specifies the directory the device is attached to"
msgstr "指定這個設備被附掛到那個目錄"
@ -2978,9 +2980,6 @@ msgstr "靜態租約"
msgid "Static Routes"
msgstr "靜態路由"
msgid "Static WDS"
msgstr "靜態WDS"
msgid "Static address"
msgstr "靜態位址"
@ -3029,11 +3028,14 @@ msgid ""
"Switch %q has an unknown topology - the VLAN settings might not be accurate."
msgstr ""
msgid "Switch Port Mask"
msgstr ""
msgid "Switch VLAN"
msgstr ""
msgid "Switch protocol"
msgstr "換協定"
msgstr "換協定"
msgid "Sync with browser"
msgstr "同步瀏覽器"
@ -3097,7 +3099,7 @@ msgid ""
"The <em>libiwinfo-lua</em> package is not installed. You must install this "
"component for working wireless configuration!"
msgstr ""
"這 <em>libiwinfo-lua</em> 軟體包尚未安裝. 必須安裝這個元件以便無線網路設定"
"這 <em>libiwinfo-lua</em> 軟體包尚未安裝. 必須安裝這個元件以便無線網路設定"
"有作用."
msgid ""
@ -3162,7 +3164,7 @@ msgstr "輸入的網路名稱非獨一"
msgid ""
"The hardware is not multi-SSID capable and the existing configuration will "
"be replaced if you proceed."
msgstr "如果繼續的話.這硬體並非多SSID工能並且已存的設定將會被覆蓋."
msgstr "如果繼續的話.這硬體並非多SSID工能並且已存的設定將會被覆蓋."
msgid ""
"The length of the IPv4 prefix in bits, the remainder is used in the IPv6 "
@ -3206,8 +3208,8 @@ msgid ""
"address of your computer to reach the device again, depending on your "
"settings."
msgstr ""
"系統現正刷機中.<br /> 請勿關閉設備!<br /> 等待數分鐘直到重新在連線. 可能需"
"要更新你電腦的位址以便再連設備, 端看你的設定. "
"系統現正刷機中.<br /> 請勿關閉設備!<br /> 等待數分鐘直到重新在連線. 可能需"
"要更新您電腦的位址以便再連設備, 端看您的設定. "
msgid ""
"The tunnel end-point is behind NAT, defaults to disabled and only applies to "
@ -3218,7 +3220,7 @@ msgid ""
"The uploaded image file does not contain a supported format. Make sure that "
"you choose the generic image format for your platform."
msgstr ""
"以上傳的映像檔不包含支援格式. 請確認你選擇的是針對你的平台採用的通用映像檔."
"以上傳的映像檔不包含支援格式. 請確認您選擇的是針對您的平台採用的通用映像檔."
msgid "There are no active leases."
msgstr "租賃尚未啟動."
@ -3302,9 +3304,6 @@ msgid ""
"their status."
msgstr "這清單提供目前正在執行的系統的執行緒和狀態的預覽."
msgid "This page allows the configuration of custom button actions"
msgstr "這一頁允許客製化按鍵動作的設定"
msgid "This page gives an overview over currently active network connections."
msgstr "這一頁提供目前正在活動中網路連線的預覽."
@ -3376,9 +3375,6 @@ msgstr ""
msgid "Tunnel type"
msgstr ""
msgid "Turbo Mode"
msgstr "渦輪爆衝模式"
msgid "Tx-Power"
msgstr "傳送-功率"
@ -3491,9 +3487,9 @@ msgstr "使用路由表"
msgid ""
"Use the <em>Add</em> Button to add a new lease entry. The <em>MAC-Address</"
"em> indentifies the host, the <em>IPv4-Address</em> specifies to the fixed "
"address to use and the <em>Hostname</em> is assigned as symbolic name to the "
"requesting host. The optional <em>Lease time</em> can be used to set non-"
"em> indentifies the host, the <em>IPv4-Address</em> specifies the fixed "
"address to use, and the <em>Hostname</em> is assigned as a symbolic name to "
"the requesting host. The optional <em>Lease time</em> can be used to set non-"
"standard host-specific lease time, e.g. 12h, 3d or infinite."
msgstr ""
"使用 <em>Add</em> 鍵以便新增一個租賃的項目. 這個 <em>MAC-Address</em> 標誌這"
@ -3612,6 +3608,11 @@ msgstr "警告"
msgid "Warning: There are unsaved changes that will get lost on reboot!"
msgstr ""
msgid ""
"When using a PSK, the PMK can be generated locally without inter AP "
"communications"
msgstr ""
msgid "Whether to create an IPv6 default route over the tunnel"
msgstr ""
@ -3657,37 +3658,23 @@ msgstr "無線網路已重啟"
msgid "Wireless shut down"
msgstr "無線網路關閉"
msgid ""
"Complicates key reinstallation attacks on the client side by disabling "
"retransmission of EAPOL-Key frames that are used to install keys. This "
"workaround might cause interoperability issues and reduced robustness of key "
"negotiation especially in environments with heavy traffic load."
msgstr ""
msgid "Write received DNS requests to syslog"
msgstr "寫入已接收的DNS請求到系統日誌中"
msgid "Write system log to file"
msgstr ""
msgid "XR Support"
msgstr "支援XR無線陣列"
msgid ""
"You can enable or disable installed init scripts here. Changes will applied "
"after a device reboot.<br /><strong>Warning: If you disable essential init "
"scripts like \"network\", your device might become inaccessible!</strong>"
msgstr ""
"你可以開啟或關閉初始化指令在這. 修改將會在設備重開後被啟用. <br /><strong>警"
"告: 假如你關閉必要的初始化腳本像\"網路\", 你的設備將可能無法存取!</strong>"
msgid ""
"You must enable Java Script in your browser or LuCI will not work properly."
msgstr ""
"您可以開啟或關閉初始化指令在這. 修改將會在設備重開後被啟用. <br /><strong>警"
"告: 假如您關閉必要的初始化腳本像\"網路\", 您的設備將可能無法存取!</strong>"
msgid ""
"You must enable JavaScript in your browser or LuCI will not work properly."
msgstr "在瀏覽器必須啟用JavaScript否則LuCI無法正常運作."
msgstr "在瀏覽器您必須啟用JavaScript否則LuCI無法正常運作."
msgid ""
"Your Internet Explorer is too old to display this page correctly. Please "
@ -3801,6 +3788,9 @@ msgstr "打開"
msgid "overlay"
msgstr ""
msgid "random"
msgstr ""
msgid "relay mode"
msgstr ""
@ -3846,9 +3836,81 @@ msgstr "是的"
msgid "« Back"
msgstr "« 倒退"
#~ msgid "Action"
#~ msgstr "動作"
#~ msgid "Buttons"
#~ msgstr "按鈕"
#~ msgid "Handler"
#~ msgstr "多執行緒"
#~ msgid "Maximum hold time"
#~ msgstr "可持有最長時間"
#~ msgid "Minimum hold time"
#~ msgstr "可持有的最低時間"
#~ msgid "Path to executable which handles the button event"
#~ msgstr "處理按鍵效果可執行檔路徑"
#~ msgid "Specifies the button state to handle"
#~ msgstr "指定這個按鈕狀態以便操作"
#~ msgid "This page allows the configuration of custom button actions"
#~ msgstr "這一頁允許客製化按鍵動作的設定"
#~ msgid "Leasetime"
#~ msgstr "租賃時間"
#~ msgid "AR Support"
#~ msgstr "AR支援"
#~ msgid "Atheros 802.11%s Wireless Controller"
#~ msgstr "Atheros 802.11%s 無線控制器"
#~ msgid "Background Scan"
#~ msgstr "背景搜尋"
#~ msgid "Compression"
#~ msgstr "壓縮"
#~ msgid "Disable HW-Beacon timer"
#~ msgstr "關閉硬體燈號計時器"
#~ msgid "Do not send probe responses"
#~ msgstr "不傳送探測回應"
#~ msgid "Fast Frames"
#~ msgstr "快速迅框群"
#~ msgid "Maximum Rate"
#~ msgstr "最快速度"
#~ msgid "Minimum Rate"
#~ msgstr "最低速度"
#~ msgid "Multicast Rate"
#~ msgstr "多點群播速度"
#~ msgid "Outdoor Channels"
#~ msgstr "室外通道"
#~ msgid "Regulatory Domain"
#~ msgstr "監管網域"
#~ msgid "Separate WDS"
#~ msgstr "分隔WDS中繼"
#~ msgid "Static WDS"
#~ msgstr "靜態WDS"
#~ msgid "Turbo Mode"
#~ msgstr "渦輪爆衝模式"
#~ msgid "XR Support"
#~ msgstr "支援XR無線陣列"
#~ msgid "An additional network will be created if you leave this unchecked."
#~ msgstr "取消選取將會另外建立一個新網路,而不會覆蓋目前的網路設定"

View file

@ -37,6 +37,7 @@ config qos
config system
option init led
list affects luci_statistics
list affects dhcp
config luci_splash
option init luci_splash

BIN
luci-base/src/po2lmo Executable file

Binary file not shown.

BIN
luci-base/src/po2lmo.o Normal file

Binary file not shown.

Binary file not shown.

View file

@ -270,7 +270,6 @@ function iface_status(ifaces)
type = device:type(),
ifname = device:name(),
macaddr = device:mac(),
macaddr = device:mac(),
is_up = device:is_up(),
rx_bytes = device:rx_bytes(),
tx_bytes = device:tx_bytes(),

View file

@ -139,14 +139,12 @@ function action_connections()
end
function action_nameinfo(...)
local i
local rv = { }
for i = 1, select('#', ...) do
local addr = select(i, ...)
local fqdn = nixio.getnameinfo(addr)
rv[addr] = fqdn or (addr:match(":") and "[%s]" % addr or addr)
end
local util = require "luci.util"
luci.http.prepare_content("application/json")
luci.http.write_json(rv)
luci.http.write_json(util.ubus("network.rrdns", "lookup", {
addrs = { ... },
timeout = 5000,
limit = 1000
}) or { })
end

View file

@ -2,6 +2,7 @@
-- Licensed to the public under the Apache License 2.0.
local ipc = require "luci.ip"
local sys = require "luci.sys"
local o
require "luci.util"
@ -68,9 +69,10 @@ se = s:taboption("advanced", Flag, "sequential_ip",
translate("Allocate IP addresses sequentially, starting from the lowest available address"))
se.optional = true
s:taboption("advanced", Flag, "boguspriv",
bp = s:taboption("advanced", Flag, "boguspriv",
translate("Filter private"),
translate("Do not forward reverse lookups for local networks"))
bp.default = bp.enabled
s:taboption("advanced", Flag, "filterwin2k",
translate("Filter useless"),
@ -310,10 +312,10 @@ end
hostid = s:option(Value, "hostid", translate("<abbr title=\"Internet Protocol Version 6\">IPv6</abbr>-Suffix (hex)"))
ipc.neighbors({ family = 4 }, function(n)
if n.mac and n.dest then
ip:value(n.dest:string())
mac:value(n.mac, "%s (%s)" %{ n.mac, n.dest:string() })
sys.net.host_hints(function(m, v4, v6, name)
if m and v4 then
ip:value(v4)
mac:value(m, "%s (%s)" %{ m, name or v4 })
end
end)

View file

@ -3,6 +3,7 @@
-- Licensed to the public under the Apache License 2.0.
local ipc = require "luci.ip"
local sys = require "luci.sys"
m = Map("dhcp", translate("Hostnames"))
@ -19,9 +20,11 @@ ip = s:option(Value, "ip", translate("IP address"))
ip.datatype = "ipaddr"
ip.rmempty = true
ipc.neighbors({ }, function(n)
if n.mac and n.dest and not n.dest:is6linklocal() then
ip:value(n.dest:string(), "%s (%s)" %{ n.dest:string(), n.mac })
sys.net.host_hints(function(mac, v4, v6, name)
v6 = v6 and ipc.IPv6(v6)
if v4 or (v6 and not v6:is6linklocal()) then
ip:value(tostring(v4 or v6), "%s (%s)" %{ tostring(v4 or v6), name or mac })
end
end)

View file

@ -16,6 +16,7 @@ local has_firewall = fs.access("/etc/config/firewall")
m = Map("network", translate("Interfaces") .. " - " .. arg[1]:upper(), translate("On this page you can configure the network interfaces. You can bridge several interfaces by ticking the \"bridge interfaces\" field and enter the names of several network interfaces separated by spaces. You can also use <abbr title=\"Virtual Local Area Network\">VLAN</abbr> notation <samp>INTERFACE.VLANNR</samp> (<abbr title=\"for example\">e.g.</abbr>: <samp>eth0.1</samp>)."))
m.redirect = luci.dispatcher.build_url("admin", "network", "network")
m:chain("wireless")
m:chain("luci")
if has_firewall then
m:chain("firewall")
@ -27,18 +28,52 @@ fw.init(m.uci)
local net = nw:get_network(arg[1])
local function set_ifstate(name, option, value)
local found = false
m.uci:foreach("luci", "ifstate", function (s)
if s.interface == name then
m.uci:set("luci", s[".name"], option, value)
found = true
return false
end
end)
if not found then
local sid = m.uci:add("luci", "ifstate")
m.uci:set("luci", sid, "interface", name)
m.uci:set("luci", sid, option, value)
end
m.uci:save("luci")
end
local function get_ifstate(name, option)
local val
m.uci:foreach("luci", "ifstate", function (s)
if s.interface == name then
val = m.uci:get("luci", s[".name"], option)
return false
end
end)
return val
end
local function backup_ifnames(is_bridge)
if not net:is_floating() and not m:get(net:name(), "_orig_ifname") then
if not net:is_floating() and not get_ifstate(net:name(), "ifname") then
local ifcs = net:get_interfaces() or { net:get_interface() }
if ifcs then
local _, ifn
local ifns = { }
for _, ifn in ipairs(ifcs) do
ifns[#ifns+1] = ifn:name()
local wif = ifn:get_wifinet()
ifns[#ifns+1] = wif and wif:id() or ifn:name()
end
if #ifns > 0 then
m:set(net:name(), "_orig_ifname", table.concat(ifns, " "))
m:set(net:name(), "_orig_bridge", tostring(net:is_bridge()))
set_ifstate(net:name(), "ifname", table.concat(ifns, " "))
set_ifstate(net:name(), "bridge", tostring(net:is_bridge()))
end
end
end
@ -84,10 +119,10 @@ if m:formvalue("cbid.network.%s._switch" % net:name()) then
elseif net:is_floating() and not proto:is_floating() then
-- if we have backup data, then re-add all orphaned interfaces
-- from it and restore the bridge choice
local br = (m:get(net:name(), "_orig_bridge") == "true")
local br = (get_ifstate(net:name(), "bridge") == "true")
local ifn
local ifns = { }
for ifn in ut.imatch(m:get(net:name(), "_orig_ifname")) do
for ifn in ut.imatch(get_ifstate(net:name(), "ifname")) do
ifn = nw:get_interface(ifn)
if ifn and not ifn:get_network() then
proto:add_interface(ifn)
@ -114,9 +149,7 @@ if m:formvalue("cbid.network.%s._switch" % net:name()) then
for k, v in pairs(m:get(net:name())) do
if k:sub(1,1) ~= "." and
k ~= "type" and
k ~= "ifname" and
k ~= "_orig_ifname" and
k ~= "_orig_bridge"
k ~= "ifname"
then
m:del(net:name(), k)
end
@ -160,6 +193,7 @@ if has_firewall then
s:tab("firewall", translate("Firewall Settings"))
end
st = s:taboption("general", DummyValue, "__status", translate("Status"))
local function set_status()
@ -236,6 +270,12 @@ end
delegate = s:taboption("advanced", Flag, "delegate", translate("Use builtin IPv6-management"))
delegate.default = delegate.enabled
force_link = s:taboption("advanced", Flag, "force_link",
translate("Force link"),
translate("Set interface properties regardless of the link carrier (If set, carrier sense events do not invoke hotplug handlers)."))
force_link.default = (net:proto() == "static") and force_link.enabled or force_link.disabled
if not net:is_virtual() then
--br = s:taboption("physical", Flag, "type", translate("Bridge interfaces"), translate("creates a bridge over specified interface(s)"))
@ -363,6 +403,7 @@ if has_firewall then
end
end
function p.write() end
function p.remove() end
function p.validate(self, value, section)
@ -371,6 +412,7 @@ function p.validate(self, value, section)
local ifn = ((br and (br:formvalue(section) == "bridge"))
and ifname_multi:formvalue(section)
or ifname_single:formvalue(section))
for ifn in ut.imatch(ifn) do
return value
end

View file

@ -0,0 +1,548 @@
-- Copyright 2008 Steven Barth <steven@midlink.org>
-- Copyright 2008-2011 Jo-Philipp Wich <jow@openwrt.org>
-- Licensed to the public under the Apache License 2.0.
local fs = require "nixio.fs"
local ut = require "luci.util"
local pt = require "luci.tools.proto"
local nw = require "luci.model.network"
local fw = require "luci.model.firewall"
arg[1] = arg[1] or ""
local has_dnsmasq = fs.access("/etc/config/dhcp")
local has_firewall = fs.access("/etc/config/firewall")
m = Map("network", translate("Interfaces") .. " - " .. arg[1]:upper(), translate("On this page you can configure the network interfaces. You can bridge several interfaces by ticking the \"bridge interfaces\" field and enter the names of several network interfaces separated by spaces. You can also use <abbr title=\"Virtual Local Area Network\">VLAN</abbr> notation <samp>INTERFACE.VLANNR</samp> (<abbr title=\"for example\">e.g.</abbr>: <samp>eth0.1</samp>)."))
m.redirect = luci.dispatcher.build_url("admin", "network", "network")
m:chain("wireless")
m:chain("luci")
if has_firewall then
m:chain("firewall")
end
nw.init(m.uci)
fw.init(m.uci)
local net = nw:get_network(arg[1])
local function backup_ifnames(is_bridge)
if not net:is_floating() and not get_ifstate(net:name(), "ifname") then
local ifcs = net:get_interfaces() or { net:get_interface() }
if ifcs then
local _, ifn
local ifns = { }
for _, ifn in ipairs(ifcs) do
local wif = ifn:get_wifinet()
ifns[#ifns+1] = wif and wif:id() or ifn:name()
end
if #ifns > 0 then
set_ifstate(net:name(), "ifname", table.concat(ifns, " "))
set_ifstate(net:name(), "bridge", tostring(net:is_bridge()))
end
end
end
end
-- redirect to overview page if network does not exist anymore (e.g. after a revert)
if not net then
luci.http.redirect(luci.dispatcher.build_url("admin/network/network"))
return
end
-- protocol switch was requested, rebuild interface config and reload page
if m:formvalue("cbid.network.%s._switch" % net:name()) then
-- get new protocol
local ptype = m:formvalue("cbid.network.%s.proto" % net:name()) or "-"
local proto = nw:get_protocol(ptype, net:name())
if proto then
-- backup default
backup_ifnames()
-- if current proto is not floating and target proto is not floating,
-- then attempt to retain the ifnames
--error(net:proto() .. " > " .. proto:proto())
if not net:is_floating() and not proto:is_floating() then
-- if old proto is a bridge and new proto not, then clip the
-- interface list to the first ifname only
if net:is_bridge() and proto:is_virtual() then
local _, ifn
local first = true
for _, ifn in ipairs(net:get_interfaces() or { net:get_interface() }) do
if first then
first = false
else
net:del_interface(ifn)
end
end
m:del(net:name(), "type")
end
-- if the current proto is floating, the target proto not floating,
-- then attempt to restore ifnames from backup
elseif net:is_floating() and not proto:is_floating() then
-- if we have backup data, then re-add all orphaned interfaces
-- from it and restore the bridge choice
local br = (get_ifstate(net:name(), "bridge") == "true")
local ifn
local ifns = { }
for ifn in ut.imatch(get_ifstate(net:name(), "ifname")) do
ifn = nw:get_interface(ifn)
if ifn and not ifn:get_network() then
proto:add_interface(ifn)
if not br then
break
end
end
end
if br then
m:set(net:name(), "type", "bridge")
end
-- in all other cases clear the ifnames
else
local _, ifc
for _, ifc in ipairs(net:get_interfaces() or { net:get_interface() }) do
net:del_interface(ifc)
end
m:del(net:name(), "type")
end
-- clear options
local k, v
for k, v in pairs(m:get(net:name())) do
if k:sub(1,1) ~= "." and
k ~= "type" and
k ~= "ifname"
then
m:del(net:name(), k)
end
end
-- set proto
m:set(net:name(), "proto", proto:proto())
m.uci:save("network")
m.uci:save("wireless")
-- reload page
luci.http.redirect(luci.dispatcher.build_url("admin/network/network", arg[1]))
return
end
end
-- dhcp setup was requested, create section and reload page
if m:formvalue("cbid.dhcp._enable._enable") then
m.uci:section("dhcp", "dhcp", arg[1], {
interface = arg[1],
start = "100",
limit = "150",
leasetime = "12h"
})
m.uci:save("dhcp")
luci.http.redirect(luci.dispatcher.build_url("admin/network/network", arg[1]))
return
end
local ifc = net:get_interface()
s = m:section(NamedSection, arg[1], "interface", translate("Common Configuration"))
s.addremove = false
s:tab("general", translate("General Setup"))
s:tab("advanced", translate("Advanced Settings"))
s:tab("physical", translate("Physical Settings"))
if has_firewall then
s:tab("firewall", translate("Firewall Settings"))
end
st = s:taboption("general", DummyValue, "__status", translate("Status"))
local function set_status()
-- if current network is empty, print a warning
if not net:is_floating() and net:is_empty() then
st.template = "cbi/dvalue"
st.network = nil
st.value = translate("There is no device assigned yet, please attach a network device in the \"Physical Settings\" tab")
else
st.template = "admin_network/iface_status"
st.network = arg[1]
st.value = nil
end
end
m.on_init = set_status
m.on_after_save = set_status
l = s:taboption("general", Value, "label", translate("Label"))
l.rmempty = true
l:depends("multipath", "on")
l:depends("multipath", "master")
l:depends("multipath", "backup")
l:depends("multipath", "handover")
p = s:taboption("general", ListValue, "proto", translate("Protocol"))
p.default = net:proto()
if not net:is_installed() then
p_install = s:taboption("general", Button, "_install")
p_install.title = translate("Protocol support is not installed")
p_install.inputtitle = translate("Install package %q" % net:opkg_package())
p_install.inputstyle = "apply"
p_install:depends("proto", net:proto())
function p_install.write()
return luci.http.redirect(
luci.dispatcher.build_url("admin/system/packages") ..
"?submit=1&install=%s" % net:opkg_package()
)
end
end
p_switch = s:taboption("general", Button, "_switch")
p_switch.title = translate("Really switch protocol?")
p_switch.inputtitle = translate("Switch protocol")
p_switch.inputstyle = "apply"
local _, pr
for _, pr in ipairs(nw:get_protocols()) do
p:value(pr:proto(), pr:get_i18n())
if pr:proto() ~= net:proto() then
p_switch:depends("proto", pr:proto())
end
end
auto = s:taboption("advanced", Flag, "auto", translate("Bring up on boot"))
auto.default = (net:proto() == "none") and auto.disabled or auto.enabled
-- Add MPTCP
if fs.access("/proc/sys/net/mptcp") then
mptcp = s:taboption("advanced", ListValue, "multipath", translate("Multipath TCP"), translate("One interface must be set as master"))
mptcp:value("on", translate("enabled"))
mptcp:value("off", translate("disabled"))
mptcp:value("master", translate("master"))
mptcp:value("backup", translate("backup"))
mptcp:value("handover", translate("handover"))
mptcp.default = "off"
end
delegate = s:taboption("advanced", Flag, "delegate", translate("Use builtin IPv6-management"))
delegate.default = delegate.enabled
if not net:is_virtual() then
--br = s:taboption("physical", Flag, "type", translate("Bridge interfaces"), translate("creates a bridge over specified interface(s)"))
--br.enabled = "bridge"
--br.rmempty = true
--br:depends("proto", "static")
--br:depends("proto", "dhcp")
--br:depends("proto", "none")
iftype = s:taboption("physical", ListValue, "type", translate("Type of the interface"))
iftype:value("", translate("Default"))
iftype:value("macvlan", translate("Create a macvlan sub interface"))
iftype:value("bridge", translate("Create a bridge over multiple interfaces"))
iftype:depends("proto", "static")
iftype:depends("proto", "dhcp")
iftype:depends("proto", "none")
stp = s:taboption("physical", Flag, "stp", translate("Enable <abbr title=\"Spanning Tree Protocol\">STP</abbr>"),
translate("Enables the Spanning Tree Protocol on this bridge"))
stp:depends("type", "bridge")
stp.rmempty = true
-- macsource = s:taboption("physical", DynamicList, "vlanmacs", translate("Add MACs address to enable source mode"))
-- macsource:depends("type", "macvlan")
-- macsource.rmempty = true
end
macvlanmaster = s:taboption("physical", Value, "interface", translate("Master interface"))
macvlanmaster.default = "eth0"
macvlanmaster:depends("type", "macvlan")
if not net:is_floating() then
ifname_single = s:taboption("physical", Value, "ifname_single", translate("Interface"))
ifname_single.template = "cbi/network_ifacelist"
ifname_single.widget = "radio"
ifname_single.nobridges = true
ifname_single.rmempty = false
ifname_single.network = arg[1]
ifname_single:depends("type", "")
function ifname_single.cfgvalue(self, s)
-- let the template figure out the related ifaces through the network model
return nil
end
function ifname_single.write(self, s, val)
local i
local new_ifs = { }
local old_ifs = { }
for _, i in ipairs(net:get_interfaces() or { net:get_interface() }) do
old_ifs[#old_ifs+1] = i:name()
end
for i in ut.imatch(val) do
new_ifs[#new_ifs+1] = i
-- if this is not a bridge, only assign first interface
if self.option == "ifname_single" then
break
end
end
table.sort(old_ifs)
table.sort(new_ifs)
for i = 1, math.max(#old_ifs, #new_ifs) do
if old_ifs[i] ~= new_ifs[i] then
backup_ifnames()
for i = 1, #old_ifs do
net:del_interface(old_ifs[i])
end
for i = 1, #new_ifs do
net:add_interface(new_ifs[i])
end
break
end
end
end
end
if not net:is_virtual() then
ifname_multi = s:taboption("physical", Value, "ifname_multi", translate("Interface"))
ifname_multi.template = "cbi/network_ifacelist"
ifname_multi.nobridges = true
ifname_multi.rmempty = false
ifname_multi.network = arg[1]
ifname_multi.widget = "checkbox"
ifname_multi:depends("type", "bridge")
ifname_multi.cfgvalue = ifname_single.cfgvalue
ifname_multi.write = ifname_single.write
end
if has_firewall then
fwzone = s:taboption("firewall", Value, "_fwzone",
translate("Create / Assign firewall-zone"),
translate("Choose the firewall zone you want to assign to this interface. Select <em>unspecified</em> to remove the interface from the associated zone or fill out the <em>create</em> field to define a new zone and attach the interface to it."))
fwzone.template = "cbi/firewall_zonelist"
fwzone.network = arg[1]
fwzone.rmempty = false
function fwzone.cfgvalue(self, section)
self.iface = section
local z = fw:get_zone_by_network(section)
return z and z:name()
end
function fwzone.write(self, section, value)
local zone = fw:get_zone(value)
if not zone and value == '-' then
value = m:formvalue(self:cbid(section) .. ".newzone")
if value and #value > 0 then
zone = fw:add_zone(value)
else
fw:del_network(section)
end
end
if zone then
fw:del_network(section)
zone:add_network(section)
end
end
end
function p.write() end
function p.remove() end
function p.validate(self, value, section)
if value == net:proto() then
if not net:is_floating() and net:is_empty() then
local ifn = ((br and (br:formvalue(section) == "bridge"))
and ifname_multi:formvalue(section)
or ifname_single:formvalue(section))
for ifn in ut.imatch(ifn) do
return value
end
return nil, translate("The selected protocol needs a device assigned")
end
end
return value
end
local form, ferr = loadfile(
ut.libpath() .. "/model/cbi/admin_network/proto_%s.lua" % net:proto()
)
if not form then
s:taboption("general", DummyValue, "_error",
translate("Missing protocol extension for proto %q" % net:proto())
).value = ferr
else
setfenv(form, getfenv(1))(m, s, net)
end
local _, field
for _, field in ipairs(s.children) do
if field ~= st and field ~= p and field ~= p_install and field ~= p_switch then
if next(field.deps) then
local _, dep
for _, dep in ipairs(field.deps) do
dep.proto = net:proto()
end
else
field:depends("proto", net:proto())
end
end
end
--
-- Display DNS settings if dnsmasq is available
--
if has_dnsmasq and net:proto() == "static" then
m2 = Map("dhcp", "", "")
local has_section = false
m2.uci:foreach("dhcp", "dhcp", function(s)
if s.interface == arg[1] then
has_section = true
return false
end
end)
if not has_section and has_dnsmasq then
s = m2:section(TypedSection, "dhcp", translate("DHCP Server"))
s.anonymous = true
s.cfgsections = function() return { "_enable" } end
x = s:option(Button, "_enable")
x.title = translate("No DHCP Server configured for this interface")
x.inputtitle = translate("Setup DHCP Server")
x.inputstyle = "apply"
elseif has_section then
s = m2:section(TypedSection, "dhcp", translate("DHCP Server"))
s.addremove = false
s.anonymous = true
s:tab("general", translate("General Setup"))
s:tab("advanced", translate("Advanced Settings"))
s:tab("ipv6", translate("IPv6 Settings"))
function s.filter(self, section)
return m2.uci:get("dhcp", section, "interface") == arg[1]
end
local ignore = s:taboption("general", Flag, "ignore",
translate("Ignore interface"),
translate("Disable <abbr title=\"Dynamic Host Configuration Protocol\">DHCP</abbr> for " ..
"this interface."))
local start = s:taboption("general", Value, "start", translate("Start"),
translate("Lowest leased address as offset from the network address."))
start.optional = true
start.datatype = "or(uinteger,ip4addr)"
start.default = "100"
local limit = s:taboption("general", Value, "limit", translate("Limit"),
translate("Maximum number of leased addresses."))
limit.optional = true
limit.datatype = "uinteger"
limit.default = "150"
local ltime = s:taboption("general", Value, "leasetime", translate("Lease time"),
translate("Expiry time of leased addresses, minimum is 2 minutes (<code>2m</code>)."))
ltime.rmempty = true
ltime.default = "12h"
local dd = s:taboption("advanced", Flag, "dynamicdhcp",
translate("Dynamic <abbr title=\"Dynamic Host Configuration Protocol\">DHCP</abbr>"),
translate("Dynamically allocate DHCP addresses for clients. If disabled, only " ..
"clients having static leases will be served."))
dd.default = dd.enabled
s:taboption("advanced", Flag, "force", translate("Force"),
translate("Force DHCP on this network even if another server is detected."))
-- XXX: is this actually useful?
--s:taboption("advanced", Value, "name", translate("Name"),
-- translate("Define a name for this network."))
mask = s:taboption("advanced", Value, "netmask",
translate("<abbr title=\"Internet Protocol Version 4\">IPv4</abbr>-Netmask"),
translate("Override the netmask sent to clients. Normally it is calculated " ..
"from the subnet that is served."))
mask.optional = true
mask.datatype = "ip4addr"
s:taboption("advanced", DynamicList, "dhcp_option", translate("DHCP-Options"),
translate("Define additional DHCP options, for example \"<code>6,192.168.2.1," ..
"192.168.2.2</code>\" which advertises different DNS servers to clients."))
for i, n in ipairs(s.children) do
if n ~= ignore then
n:depends("ignore", "")
end
end
o = s:taboption("ipv6", ListValue, "ra", translate("Router Advertisement-Service"))
o:value("", translate("disabled"))
o:value("server", translate("server mode"))
o:value("relay", translate("relay mode"))
o:value("hybrid", translate("hybrid mode"))
o = s:taboption("ipv6", ListValue, "dhcpv6", translate("DHCPv6-Service"))
o:value("", translate("disabled"))
o:value("server", translate("server mode"))
o:value("relay", translate("relay mode"))
o:value("hybrid", translate("hybrid mode"))
o = s:taboption("ipv6", ListValue, "ndp", translate("NDP-Proxy"))
o:value("", translate("disabled"))
o:value("relay", translate("relay mode"))
o:value("hybrid", translate("hybrid mode"))
o = s:taboption("ipv6", ListValue, "ra_management", translate("DHCPv6-Mode"),
translate("Default is stateless + stateful"))
o:value("0", translate("stateless"))
o:value("1", translate("stateless + stateful"))
o:value("2", translate("stateful-only"))
o:depends("dhcpv6", "server")
o:depends("dhcpv6", "hybrid")
o.default = "1"
o = s:taboption("ipv6", Flag, "ra_default", translate("Always announce default router"),
translate("Announce as default router even if no public prefix is available."))
o:depends("ra", "server")
o:depends("ra", "hybrid")
s:taboption("ipv6", DynamicList, "dns", translate("Announced DNS servers"))
s:taboption("ipv6", DynamicList, "domain", translate("Announced DNS domains"))
else
m2 = nil
end
end
return m, m2

View file

@ -3,6 +3,7 @@
-- Licensed to the public under the Apache License 2.0.
local fs = require "nixio.fs"
local json = require "luci.jsonc"
local sys = require "luci.sys"
m = Map("network", translate("Interfaces"))
@ -10,8 +11,14 @@ m.pageaction = false
m:section(SimpleSection).template = "admin_network/iface_overview"
if fs.access("/etc/init.d/dsl_control") then
dsl = m:section(TypedSection, "dsl", translate("DSL"))
local ok, boarddata = pcall(json.parse, fs.readfile("/etc/board.json"))
local modemtype = (ok == true)
and (type(boarddata) == "table")
and (type(boarddata.dsl) == "table")
and (type(boarddata.dsl.modem) == "table")
and boarddata.dsl.modem.type
dsl = m:section(TypedSection, "dsl", translate("DSL"))
dsl.anonymous = true
annex = dsl:option(ListValue, "annex", translate("Annex"))
@ -38,14 +45,23 @@ if fs.access("/etc/init.d/dsl_control") then
tone:value("b", translate("B43 + B43C"))
tone:value("bv", translate("B43 + B43C + V43"))
xfer_mode = dsl:option(ListValue, "xfer_mode", translate("Encapsulation mode"))
xfer_mode:value("atm", translate("ATM (Asynchronous Transfer Mode)"))
xfer_mode:value("ptm", translate("PTM/EFM (Packet Transfer Mode)"))
if modemtype == "vdsl" then
xfer_mode = dsl:option(ListValue, "xfer_mode", translate("Encapsulation mode"))
xfer_mode:value("", translate("auto"))
xfer_mode:value("atm", translate("ATM (Asynchronous Transfer Mode)"))
xfer_mode:value("ptm", translate("PTM/EFM (Packet Transfer Mode)"))
line_mode = dsl:option(ListValue, "line_mode", translate("DSL line mode"))
line_mode:value("", translate("auto"))
line_mode:value("adsl", translate("ADSL"))
line_mode:value("vdsl", translate("VDSL"))
line_mode = dsl:option(ListValue, "line_mode", translate("DSL line mode"))
line_mode:value("", translate("auto"))
line_mode:value("adsl", translate("ADSL"))
line_mode:value("vdsl", translate("VDSL"))
ds_snr = dsl:option(ListValue, "ds_snr_offset", translate("Downstream SNR offset"))
ds_snr.default = "0"
for i = -100, 100, 5 do
ds_snr:value(i, translatef("%.1f dB", i / 10))
end
end
firmware = dsl:option(Value, "firmware", translate("Firmware File"))

View file

@ -228,7 +228,7 @@ if hwtype == "mac80211" then
s:taboption("advanced", Value, "country", translate("Country Code"), translate("Use ISO/IEC 3166 alpha2 country codes."))
end
legacyrates = s:taboption("advanced", Flag, "legacy_rates", translate("802.11b rates"))
legacyrates = s:taboption("advanced", Flag, "legacy_rates", translate("Allow legacy 802.11b rates"))
legacyrates.rmempty = false
legacyrates.default = "1"
@ -252,64 +252,6 @@ if hwtype == "mac80211" then
end
------------------- Madwifi Device ------------------
if hwtype == "atheros" then
tp = s:taboption("general",
(#tx_power_list > 0) and ListValue or Value,
"txpower", translate("Transmit Power"), "dBm")
tp.rmempty = true
tp.default = tx_power_cur
function tp.cfgvalue(...)
return txpower_current(Value.cfgvalue(...), tx_power_list)
end
tp:value("", translate("auto"))
for _, p in ipairs(tx_power_list) do
tp:value(p.driver_dbm, "%i dBm (%i mW)"
%{ p.display_dbm, p.display_mw })
end
s:taboption("advanced", Flag, "diversity", translate("Diversity")).rmempty = false
if not nsantenna then
ant1 = s:taboption("advanced", ListValue, "txantenna", translate("Transmitter Antenna"))
ant1.widget = "radio"
ant1.orientation = "horizontal"
ant1:depends("diversity", "")
ant1:value("0", translate("auto"))
ant1:value("1", translate("Antenna 1"))
ant1:value("2", translate("Antenna 2"))
ant2 = s:taboption("advanced", ListValue, "rxantenna", translate("Receiver Antenna"))
ant2.widget = "radio"
ant2.orientation = "horizontal"
ant2:depends("diversity", "")
ant2:value("0", translate("auto"))
ant2:value("1", translate("Antenna 1"))
ant2:value("2", translate("Antenna 2"))
else -- NanoFoo
local ant = s:taboption("advanced", ListValue, "antenna", translate("Transmitter Antenna"))
ant:value("auto")
ant:value("vertical")
ant:value("horizontal")
ant:value("external")
end
s:taboption("advanced", Value, "distance", translate("Distance Optimization"),
translate("Distance to farthest network member in meters."))
s:taboption("advanced", Value, "regdomain", translate("Regulatory Domain"))
s:taboption("advanced", Value, "country", translate("Country Code"))
s:taboption("advanced", Flag, "outdoor", translate("Outdoor Channels"))
--s:option(Flag, "nosbeacon", translate("Disable HW-Beacon timer"))
end
------------------- Broadcom Device ------------------
if hwtype == "broadcom" then
@ -418,7 +360,7 @@ mode:value("adhoc", translate("Ad-Hoc"))
meshid = s:taboption("general", Value, "mesh_id", translate("Mesh Id"))
meshid:depends({mode="mesh"})
meshfwd = s:taboption("advanced", Flag, "mesh_fwding", translate("internal forwarding of Mesh-peers"))
meshfwd = s:taboption("advanced", Flag, "mesh_fwding", translate("Forward mesh peer traffic"))
meshfwd.rmempty = false
meshfwd.default = "1"
meshfwd:depends({mode="mesh"})
@ -539,102 +481,13 @@ if hwtype == "mac80211" then
wmm:depends({mode="ap-wds"})
wmm.default = wmm.enabled
ifname = s:taboption("advanced", Value, "ifname", translate("Interface name"), translate("Override default interface name"))
ifname.optional = true
end
-------------------- Madwifi Interface ----------------------
if hwtype == "atheros" then
mode:value("ahdemo", translate("Pseudo Ad-Hoc (ahdemo)"))
mode:value("monitor", translate("Monitor"))
mode:value("ap-wds", "%s (%s)" % {translate("Access Point"), translate("WDS")})
mode:value("sta-wds", "%s (%s)" % {translate("Client"), translate("WDS")})
mode:value("wds", translate("Static WDS"))
function mode.write(self, section, value)
if value == "ap-wds" then
ListValue.write(self, section, "ap")
m.uci:set("wireless", section, "wds", 1)
elseif value == "sta-wds" then
ListValue.write(self, section, "sta")
m.uci:set("wireless", section, "wds", 1)
else
ListValue.write(self, section, value)
m.uci:delete("wireless", section, "wds")
end
end
function mode.cfgvalue(self, section)
local mode = ListValue.cfgvalue(self, section)
local wds = m.uci:get("wireless", section, "wds") == "1"
if mode == "ap" and wds then
return "ap-wds"
elseif mode == "sta" and wds then
return "sta-wds"
else
return mode
end
end
bssid:depends({mode="adhoc"})
bssid:depends({mode="ahdemo"})
bssid:depends({mode="wds"})
wdssep = s:taboption("advanced", Flag, "wdssep", translate("Separate WDS"))
wdssep:depends({mode="ap-wds"})
s:taboption("advanced", Flag, "doth", "802.11h")
hidden = s:taboption("general", Flag, "hidden", translate("Hide <abbr title=\"Extended Service Set Identifier\">ESSID</abbr>"))
hidden:depends({mode="ap"})
hidden:depends({mode="adhoc"})
hidden:depends({mode="ap-wds"})
hidden:depends({mode="sta-wds"})
isolate = s:taboption("advanced", Flag, "isolate", translate("Separate Clients"),
isolate = s:taboption("advanced", Flag, "isolate", translate("Isolate Clients"),
translate("Prevents client-to-client communication"))
isolate:depends({mode="ap"})
s:taboption("advanced", Flag, "bgscan", translate("Background Scan"))
isolate:depends({mode="ap-wds"})
mp = s:taboption("macfilter", ListValue, "macpolicy", translate("MAC-Address Filter"))
mp:value("", translate("disable"))
mp:value("allow", translate("Allow listed only"))
mp:value("deny", translate("Allow all except listed"))
ml = s:taboption("macfilter", DynamicList, "maclist", translate("MAC-List"))
ml.datatype = "macaddr"
ml:depends({macpolicy="allow"})
ml:depends({macpolicy="deny"})
nt.mac_hints(function(mac, name) ml:value(mac, "%s (%s)" %{ mac, name }) end)
s:taboption("advanced", Value, "rate", translate("Transmission Rate"))
s:taboption("advanced", Value, "mcast_rate", translate("Multicast Rate"))
s:taboption("advanced", Value, "frag", translate("Fragmentation Threshold"))
s:taboption("advanced", Value, "rts", translate("RTS/CTS Threshold"))
s:taboption("advanced", Value, "minrate", translate("Minimum Rate"))
s:taboption("advanced", Value, "maxrate", translate("Maximum Rate"))
s:taboption("advanced", Flag, "compression", translate("Compression"))
s:taboption("advanced", Flag, "bursting", translate("Frame Bursting"))
s:taboption("advanced", Flag, "turbo", translate("Turbo Mode"))
s:taboption("advanced", Flag, "ff", translate("Fast Frames"))
s:taboption("advanced", Flag, "wmm", translate("WMM Mode"))
s:taboption("advanced", Flag, "xr", translate("XR Support"))
s:taboption("advanced", Flag, "ar", translate("AR Support"))
local swm = s:taboption("advanced", Flag, "sw_merge", translate("Disable HW-Beacon timer"))
swm:depends({mode="adhoc"})
local nos = s:taboption("advanced", Flag, "nosbeacon", translate("Disable HW-Beacon timer"))
nos:depends({mode="sta"})
nos:depends({mode="sta-wds"})
local probereq = s:taboption("advanced", Flag, "probereq", translate("Do not send probe responses"))
probereq.enabled = "0"
probereq.disabled = "1"
ifname = s:taboption("advanced", Value, "ifname", translate("Interface name"), translate("Override default interface name"))
ifname.optional = true
end
@ -758,7 +611,7 @@ encr:value("none", "No Encryption")
encr:value("wep-open", translate("WEP Open System"), {mode="ap"}, {mode="sta"}, {mode="ap-wds"}, {mode="sta-wds"}, {mode="adhoc"}, {mode="ahdemo"}, {mode="wds"})
encr:value("wep-shared", translate("WEP Shared Key"), {mode="ap"}, {mode="sta"}, {mode="ap-wds"}, {mode="sta-wds"}, {mode="adhoc"}, {mode="ahdemo"}, {mode="wds"})
if hwtype == "atheros" or hwtype == "mac80211" or hwtype == "prism2" then
if hwtype == "mac80211" or hwtype == "prism2" then
local supplicant = fs.access("/usr/sbin/wpa_supplicant")
local hostapd = fs.access("/usr/sbin/hostapd")
@ -767,9 +620,9 @@ if hwtype == "atheros" or hwtype == "mac80211" or hwtype == "prism2" then
local has_sta_eap = (os.execute("wpa_supplicant -veap >/dev/null 2>/dev/null") == 0)
if hostapd and supplicant then
encr:value("psk", "WPA-PSK", {mode="ap"}, {mode="sta"}, {mode="ap-wds"}, {mode="sta-wds"})
encr:value("psk2", "WPA2-PSK", {mode="ap"}, {mode="sta"}, {mode="ap-wds"}, {mode="sta-wds"})
encr:value("psk-mixed", "WPA-PSK/WPA2-PSK Mixed Mode", {mode="ap"}, {mode="sta"}, {mode="ap-wds"}, {mode="sta-wds"})
encr:value("psk", "WPA-PSK", {mode="ap"}, {mode="sta"}, {mode="ap-wds"}, {mode="sta-wds"}, {mode="adhoc"})
encr:value("psk2", "WPA2-PSK", {mode="ap"}, {mode="sta"}, {mode="ap-wds"}, {mode="sta-wds"}, {mode="adhoc"})
encr:value("psk-mixed", "WPA-PSK/WPA2-PSK Mixed Mode", {mode="ap"}, {mode="sta"}, {mode="ap-wds"}, {mode="sta-wds"}, {mode="adhoc"})
if has_ap_eap and has_sta_eap then
encr:value("wpa", "WPA-EAP", {mode="ap"}, {mode="sta"}, {mode="ap-wds"}, {mode="sta-wds"})
encr:value("wpa2", "WPA2-EAP", {mode="ap"}, {mode="sta"}, {mode="ap-wds"}, {mode="sta-wds"})
@ -787,9 +640,9 @@ if hwtype == "atheros" or hwtype == "mac80211" or hwtype == "prism2" then
"and ad-hoc mode) to be installed."
)
elseif not hostapd and supplicant then
encr:value("psk", "WPA-PSK", {mode="sta"}, {mode="sta-wds"})
encr:value("psk2", "WPA2-PSK", {mode="sta"}, {mode="sta-wds"})
encr:value("psk-mixed", "WPA-PSK/WPA2-PSK Mixed Mode", {mode="sta"}, {mode="sta-wds"})
encr:value("psk", "WPA-PSK", {mode="sta"}, {mode="sta-wds"}, {mode="adhoc"})
encr:value("psk2", "WPA2-PSK", {mode="sta"}, {mode="sta-wds"}, {mode="adhoc"})
encr:value("psk-mixed", "WPA-PSK/WPA2-PSK Mixed Mode", {mode="sta"}, {mode="sta-wds"}, {mode="adhoc"})
if has_sta_eap then
encr:value("wpa", "WPA-EAP", {mode="sta"}, {mode="sta-wds"})
encr:value("wpa2", "WPA2-EAP", {mode="sta"}, {mode="sta-wds"})
@ -919,7 +772,7 @@ for slot=1,4 do
end
if hwtype == "atheros" or hwtype == "mac80211" or hwtype == "prism2" then
if hwtype == "mac80211" or hwtype == "prism2" then
-- Probe 802.11r support (and EAP support as a proxy for Openwrt)
local has_80211r = (os.execute("hostapd -v11r 2>/dev/null || hostapd -veap 2>/dev/null") == 0)
@ -936,6 +789,9 @@ if hwtype == "atheros" or hwtype == "mac80211" or hwtype == "prism2" then
ieee80211r:depends({mode="ap", encryption="psk"})
ieee80211r:depends({mode="ap", encryption="psk2"})
ieee80211r:depends({mode="ap", encryption="psk-mixed"})
ieee80211r:depends({mode="ap-wds", encryption="psk"})
ieee80211r:depends({mode="ap-wds", encryption="psk2"})
ieee80211r:depends({mode="ap-wds", encryption="psk-mixed"})
end
ieee80211r.rmempty = true
@ -1175,8 +1031,8 @@ if hwtype == "mac80211" then
ieee80211w:depends({mode="ap-wds", encryption="psk-mixed"})
max_timeout = s:taboption("encryption", Value, "ieee80211w_max_timeout",
translate("802.11w maximum timeout"),
translate("802.11w Association SA Query maximum timeout"))
translate("802.11w maximum timeout"),
translate("802.11w Association SA Query maximum timeout"))
max_timeout:depends({ieee80211w="1"})
max_timeout:depends({ieee80211w="2"})
max_timeout.datatype = "uinteger"
@ -1184,8 +1040,8 @@ if hwtype == "mac80211" then
max_timeout.rmempty = true
retry_timeout = s:taboption("encryption", Value, "ieee80211w_retry_timeout",
translate("802.11w retry timeout"),
translate("802.11w Association SA Query retry timeout"))
translate("802.11w retry timeout"),
translate("802.11w Association SA Query retry timeout"))
retry_timeout:depends({ieee80211w="1"})
retry_timeout:depends({ieee80211w="2"})
retry_timeout.datatype = "uinteger"
@ -1205,7 +1061,7 @@ if hwtype == "mac80211" then
key_retries:depends({mode="ap-wds", encryption="psk-mixed"})
end
if hwtype == "atheros" or hwtype == "mac80211" or hwtype == "prism2" then
if hwtype == "mac80211" or hwtype == "prism2" then
local wpasupplicant = fs.access("/usr/sbin/wpa_supplicant")
local hostcli = fs.access("/usr/sbin/hostapd_cli")
if hostcli and wpasupplicant then

View file

@ -1,27 +0,0 @@
-- Copyright 2008 Steven Barth <steven@midlink.org>
-- Licensed to the public under the Apache License 2.0.
m = Map("system", translate("Buttons"),
translate("This page allows the configuration of custom button actions"))
s = m:section(TypedSection, "button", "")
s.anonymous = true
s.addremove = true
s:option(Value, "button", translate("Name"))
act = s:option(ListValue, "action",
translate("Action"),
translate("Specifies the button state to handle"))
act:value("released")
s:option(Value, "handler",
translate("Handler"),
translate("Path to executable which handles the button event"))
min = s:option(Value, "min", translate("Minimum hold time"))
min.rmempty = true
max = s:option(Value, "max", translate("Maximum hold time"))
max.rmempty = true

View file

@ -62,7 +62,7 @@ o = s:option(Flag, "auto_mount", translate("Automount Filesystem"), translate("A
o.default = o.enabled
o.rmempty = false
o = s:option(Flag, "check_fs", translate("Check fileystems before mount"), translate("Automatically check filesystem for errors before mounting"))
o = s:option(Flag, "check_fs", translate("Check filesystems before mount"), translate("Automatically check filesystem for errors before mounting"))
o.default = o.disabled
o.rmempty = false

View file

@ -152,4 +152,7 @@ for p in nixio.fs.glob("/sys/bus/usb/devices/*/usb[0-9]*-port[0-9]*") do
end
end
port_mask = s:option(Value, "port_mask", translate ("Switch Port Mask"))
port_mask:depends("trigger", "switch0")
return m

View file

@ -78,15 +78,16 @@
tr.className = 'cbi-section-table-row cbi-rowstyle-' + ((i % 2) + 1);
var host = hosts[duid2mac(st[1][i].duid)];
if (host)
tr.insertCell(-1).innerHTML = String.format(
'<div style="max-width:200px;overflow:hidden;text-overflow:ellipsis">%s</div>',
((host.name && (host.ipv4 || host.ipv6))
? '%h (%s)'.format(host.name, host.ipv4 || host.ipv6)
: '%h'.format(host.name || host.ipv4 || host.ipv6)).nobr()
);
if (!st[1][i].hostname)
tr.insertCell(-1).innerHTML =
(host && (host.name || host.ipv4 || host.ipv6))
? '<div style="max-width:200px;overflow:hidden;text-overflow:ellipsis;white-space: nowrap">? (%h)</div>'.format(host.name || host.ipv4 || host.ipv6)
: '?';
else
tr.insertCell(-1).innerHTML = st[1][i].hostname ? st[1][i].hostname : '?';
tr.insertCell(-1).innerHTML =
(host && host.name && st[1][i].hostname != host.name)
? '<div style="max-width:200px;overflow:hidden;text-overflow:ellipsis;white-space: nowrap">%h (%h)</div>'.format(st[1][i].hostname, host.name)
: st[1][i].hostname;
tr.insertCell(-1).innerHTML = st[1][i].ip6addr;
tr.insertCell(-1).innerHTML = st[1][i].duid;

View file

@ -66,10 +66,6 @@
return name
-- madwifi
elseif name == "ath" or name == "wifi" then
return translatef("Atheros 802.11%s Wireless Controller", bands)
-- ralink
elseif name == "ra" then
return translatef("RaLink 802.11%s Wireless Controller", bands)

View file

@ -7,6 +7,6 @@
<%+header%>
<h2 name="content"><%:Kernel Log%></h2>
<div id="content_syslog">
<textarea readonly="readonly" wrap="off" rows="<%=dmesg:cmatch("\n")+2%>" id="syslog"><%=dmesg:pcdata()%></textarea>
<textarea style="font-size: 12px;" readonly="readonly" wrap="off" rows="<%=dmesg:cmatch("\n")+2%>" id="syslog"><%=dmesg:pcdata()%></textarea>
</div>
<%+footer%>

View file

@ -39,12 +39,11 @@
local wan6 = ntm:get_wan6net()
local conn_count = tonumber(
fs.readfile("/proc/sys/net/netfilter/nf_conntrack_count")) or 0
fs.readfile("/proc/sys/net/netfilter/nf_conntrack_count") or "") or 0
local conn_max = tonumber((
luci.sys.exec("sysctl net.nf_conntrack_max") or
luci.sys.exec("sysctl net.ipv4.netfilter.ip_conntrack_max") or
""):match("%d+")) or 4096
local conn_max = tonumber(luci.sys.exec(
"sysctl -n -e net.nf_conntrack_max net.ipv4.netfilter.ip_conntrack_max"
):match("%d+")) or 4096
local rv = {
uptime = sysinfo.uptime or 0,
@ -420,15 +419,16 @@
tr.className = 'cbi-section-table-row cbi-rowstyle-' + ((i % 2) + 1);
var host = hosts[duid2mac(info.leases6[i].duid)];
if (host)
tr.insertCell(-1).innerHTML = String.format(
'<div style="max-width:200px;overflow:hidden;text-overflow:ellipsis">%s</div>',
((host.name && (host.ipv4 || host.ipv6))
? '%h (%s)'.format(host.name, host.ipv4 || host.ipv6)
: '%h'.format(host.name || host.ipv4 || host.ipv6)).nobr()
);
if (!info.leases6[i].hostname)
tr.insertCell(-1).innerHTML =
(host && (host.name || host.ipv4 || host.ipv6))
? '<div style="max-width:200px;overflow:hidden;text-overflow:ellipsis;white-space: nowrap">? (%h)</div>'.format(host.name || host.ipv4 || host.ipv6)
: '?';
else
tr.insertCell(-1).innerHTML = info.leases6[i].hostname ? info.leases6[i].hostname : '?';
tr.insertCell(-1).innerHTML =
(host && host.name && info.leases6[i].hostname != host.name)
? '<div style="max-width:200px;overflow:hidden;text-overflow:ellipsis;white-space: nowrap">%h (%h)</div>'.format(info.leases6[i].hostname, host.name)
: info.leases6[i].hostname;
tr.insertCell(-1).innerHTML = info.leases6[i].ip6addr;
tr.insertCell(-1).innerHTML = info.leases6[i].duid;

View file

@ -53,7 +53,7 @@
<tr class="cbi-section-table-row cbi-rowstyle-<%=(style and 1 or 2)%>">
<td class="cbi-value-field"><%=v.dest%></td>
<td class="cbi-value-field"><%=v.mac%></td>
<td class="cbi-value-field"><%=v.dev%></td>
<td class="cbi-value-field"><%=luci.tools.webadmin.iface_get_network(v.dev) or '(' .. v.dev .. ')'%></td>
</tr>
<%
style = not style

View file

@ -7,6 +7,6 @@
<%+header%>
<h2 name="content"><%:System Log%></h2>
<div id="content_syslog">
<textarea readonly="readonly" wrap="off" rows="<%=syslog:cmatch("\n")+2%>" id="syslog"><%=syslog:pcdata()%></textarea>
<textarea style="font-size: 12px;" readonly="readonly" wrap="off" rows="<%=syslog:cmatch("\n")+2%>" id="syslog"><%=syslog:pcdata()%></textarea>
</div>
<%+footer%>