Compare commits
34 Commits
bure-rewor
...
feat/flask
Author | SHA1 | Date | |
---|---|---|---|
16b4e7a919 | |||
29282ef1f1 | |||
7d0a55c1dc | |||
d4daa85694 | |||
fc3c8b230c | |||
b126e8778d | |||
d5682232b5 | |||
e768a6efe9 | |||
c69a68c2da | |||
d35be6568e | |||
9bc60ac47b | |||
e8ce7ee1d5 | |||
3c6e21b4e8 | |||
03ff66718f | |||
965bdb3f7c | |||
52ec2ae623 | |||
110a0c172c | |||
952796182d | |||
ab629e3709 | |||
4a220140f9 | |||
1fd7789e9c | |||
9aad4e26cd | |||
c5d2d6237b | |||
9d58cf0668 | |||
b5ab6271bc | |||
9c553cbbce | |||
4e7ad4c942 | |||
28c8f704bb | |||
e8a8e8cc45 | |||
4853c4a83c | |||
0f030c579d | |||
d01831ec0d | |||
f571dfa272 | |||
72ba1ab64f |
23
.gitignore
vendored
Normal file
@@ -0,0 +1,23 @@
|
||||
# Editors
|
||||
.idea/
|
||||
.vscode/
|
||||
|
||||
# Python
|
||||
.venv*/
|
||||
venv*/
|
||||
__pycache__/
|
||||
dist/
|
||||
|
||||
# Unit tests
|
||||
.coverage*
|
||||
htmlcov/
|
||||
.tox/
|
||||
|
||||
# Docs
|
||||
docs/_build/
|
||||
|
||||
# Our's
|
||||
Dockerfile
|
||||
.env
|
||||
static/*.css
|
||||
static/*.css.map
|
228
app.py
Normal file
@@ -0,0 +1,228 @@
|
||||
import threading
|
||||
import time
|
||||
import json
|
||||
|
||||
from os import path, listdir
|
||||
from datetime import date, datetime, timezone
|
||||
from configparser import ConfigParser
|
||||
from urllib.request import urlopen
|
||||
|
||||
import sass
|
||||
|
||||
from flask import (
|
||||
Flask,
|
||||
redirect,
|
||||
render_template,
|
||||
request,
|
||||
url_for,
|
||||
g,
|
||||
Response
|
||||
)
|
||||
|
||||
|
||||
# ---------- ENV VARS --------------------------------------------------------
|
||||
|
||||
|
||||
GIT_URL = "https://git.kolibrios.org/api/v1/repos/KolibriOS/kolibrios/branches/main"
|
||||
GIT_FETCH_DELAY_SEC = 300 # 5 minutes
|
||||
|
||||
# ---------- APP CONFIG ------------------------------------------------------
|
||||
|
||||
|
||||
app = Flask(__name__)
|
||||
|
||||
css = sass.compile(filename="static/style.scss")
|
||||
with open("static/style.css", "w", encoding="utf-8") as f:
|
||||
f.write(css)
|
||||
|
||||
|
||||
# ---------- LATEST COMMIT DATE (MINIMAL ADD-ON) -----------------------------
|
||||
|
||||
|
||||
autobuild_date = "DD.MM.YYYY"
|
||||
|
||||
|
||||
def _refresh_build_date_once():
|
||||
global autobuild_date
|
||||
try:
|
||||
with urlopen(GIT_URL, timeout=10) as r:
|
||||
b = json.load(r)
|
||||
c = b.get("commit", {}) or {}
|
||||
ts = c.get("timestamp")
|
||||
if ts:
|
||||
dt = datetime.fromisoformat(ts.replace("Z", "+00:00")).astimezone(timezone.utc)
|
||||
autobuild_date = dt.strftime("%d.%m.%Y")
|
||||
except Exception:
|
||||
pass
|
||||
|
||||
|
||||
def _updater_loop():
|
||||
while True:
|
||||
_refresh_build_date_once()
|
||||
time.sleep(GIT_FETCH_DELAY_SEC)
|
||||
|
||||
|
||||
_started = False
|
||||
_refresh_build_date_once()
|
||||
|
||||
# Flask 3.x fix: start updater lazily on first request (since before_first_request is removed)
|
||||
_updater_lock = threading.Lock()
|
||||
|
||||
@app.before_request
|
||||
def _ensure_updater_started():
|
||||
global _started
|
||||
if not _started:
|
||||
with _updater_lock:
|
||||
if not _started:
|
||||
_started = True
|
||||
threading.Thread(target=_updater_loop, daemon=True).start()
|
||||
|
||||
|
||||
@app.context_processor
|
||||
def _inject_autobuild_date():
|
||||
return {"autobuild_date": autobuild_date}
|
||||
|
||||
|
||||
# ---------- LOCALES FUNCTIONS -----------------------------------------------
|
||||
|
||||
|
||||
def load_all_locales():
|
||||
translations = {}
|
||||
locales_dir = "locales"
|
||||
|
||||
locales_code_default = ('en', 'ru', 'es')
|
||||
locales_code_extra = []
|
||||
locales_code = ()
|
||||
|
||||
for filename in listdir(locales_dir):
|
||||
if filename.endswith(".ini"):
|
||||
cp = ConfigParser()
|
||||
lang = path.splitext(filename)[0]
|
||||
with open(path.join(locales_dir, filename), encoding="utf-8") as f:
|
||||
cp.read_file(f)
|
||||
|
||||
if lang not in locales_code_default:
|
||||
locales_code_extra.append(lang)
|
||||
|
||||
translations[lang] = {
|
||||
section: dict(cp[section]) for section in cp.sections()
|
||||
}
|
||||
|
||||
locales_code = locales_code_default + tuple(sorted(locales_code_extra))
|
||||
locales_name = {l: translations[l]['title']['language'] for l in locales_code}
|
||||
|
||||
return translations, locales_name, locales_code
|
||||
|
||||
|
||||
translations, locales_name, locales_code = load_all_locales()
|
||||
|
||||
|
||||
# ---------- HELPER FUNCTIONS ------------------------------------------------
|
||||
|
||||
|
||||
def get_best_lang():
|
||||
return request.accept_languages.best_match(locales_code) or "en"
|
||||
|
||||
|
||||
def render_localized_template(lang, template_name):
|
||||
if lang not in locales_code:
|
||||
return redirect(url_for("index", lang=get_best_lang()))
|
||||
|
||||
return render_template(
|
||||
template_name,
|
||||
year=date.today().year,
|
||||
)
|
||||
|
||||
|
||||
@app.before_request
|
||||
def before_request():
|
||||
if args := request.view_args:
|
||||
g.locale = args.get('lang', 'en')
|
||||
g.translations = translations.get(g.locale, get_best_lang())
|
||||
g.locales_name = locales_name
|
||||
|
||||
|
||||
@app.context_processor
|
||||
def inject_translations():
|
||||
def translate(text, **kwargs):
|
||||
section, key = text.split(":", 1)
|
||||
|
||||
template = g.translations \
|
||||
.get(section, {}) \
|
||||
.get(key, f"${section}: {key}$")
|
||||
|
||||
try:
|
||||
return template.format(**kwargs)
|
||||
except Exception:
|
||||
return template
|
||||
|
||||
return {'_': translate}
|
||||
|
||||
|
||||
# ---------- MAIN PAGES ------------------------------------------------------
|
||||
|
||||
|
||||
@app.route("/")
|
||||
def home():
|
||||
return redirect(url_for("index", lang=get_best_lang()))
|
||||
|
||||
|
||||
@app.route("/<lang>")
|
||||
def index(lang):
|
||||
return render_localized_template(lang, "index.html")
|
||||
|
||||
|
||||
@app.route("/<lang>/download")
|
||||
def download(lang):
|
||||
return render_localized_template(lang, "download.html")
|
||||
|
||||
|
||||
# ---------- ROBOTS.TXT + SITEMAP.XML ----------------------------------------
|
||||
|
||||
|
||||
@app.route("/robots.txt")
|
||||
def robots_txt():
|
||||
base_url = request.url_root.rstrip("/")
|
||||
content = [
|
||||
"User-agent: *",
|
||||
"Disallow:",
|
||||
f"Sitemap: {base_url}/sitemap.xml",
|
||||
]
|
||||
return Response("\n".join(content), mimetype="text/plain")
|
||||
|
||||
|
||||
@app.route("/sitemap.xml")
|
||||
def sitemap_xml():
|
||||
base_url = request.url_root.rstrip("/")
|
||||
today = date.today().isoformat()
|
||||
|
||||
urls = []
|
||||
for lang in locales_code:
|
||||
urls.append(f"{base_url}/{lang}")
|
||||
urls.append(f"{base_url}/{lang}/download")
|
||||
|
||||
xml_lines = [
|
||||
'<?xml version="1.0" encoding="UTF-8"?>',
|
||||
'<urlset xmlns="http://www.sitemaps.org/schemas/sitemap/0.9">',
|
||||
]
|
||||
for loc in urls:
|
||||
xml_lines.extend(
|
||||
[
|
||||
f" <url>",
|
||||
f" <loc>{loc}</loc>",
|
||||
f" <lastmod>{today}</lastmod>",
|
||||
f" <changefreq>monthly</changefreq>",
|
||||
f" <priority>0.8</priority>",
|
||||
f" </url>",
|
||||
]
|
||||
)
|
||||
xml_lines.append("</urlset>")
|
||||
|
||||
return Response("\n".join(xml_lines), mimetype="application/xml")
|
||||
|
||||
|
||||
# ---------- APP ENTRY -------------------------------------------------------
|
||||
|
||||
|
||||
if __name__ == "__main__":
|
||||
app.run(host="0.0.0.0", debug=True)
|
@@ -1,109 +0,0 @@
|
||||
<!doctype html>
|
||||
<html lang="de" onmouseup="dropdown_hide()">
|
||||
<head>
|
||||
<meta charset="utf-8">
|
||||
<title>KolibriOS Dateien</title>
|
||||
<link rel="icon" type="image/x-icon" href="../favicon.ico">
|
||||
<meta name="description" content="KolibriOS Dateien">
|
||||
<meta name="keywords" content="kolibri, kolibrios, колибри, колибриос, colibri, operating system, assembler, калибри, fasm, alternate, open source">
|
||||
<meta name="viewport" content="width=device-width">
|
||||
<link rel="stylesheet" type="text/css" href="../style.css">
|
||||
<script src='../script.js'></script>
|
||||
</head>
|
||||
<body onkeydown='checkkey(event)'>
|
||||
|
||||
<div id="lang-dropdown">
|
||||
<div>
|
||||
<a href='../en/download.htm'><img src='../i/fl/en.png' alt='en'/>English</a>
|
||||
<font bg=#FF9800><a class='sel' href='../de/download.htm'><img src='../i/fl/de.png' alt='de'/>Deutsch</a></font>
|
||||
<a href='../es/download.htm'><img src='../i/fl/es.png' alt='es'/>Español</a>
|
||||
<a href='../fr/download.htm'><img src='../i/fl/fr.png' alt='fr'/>Français</a>
|
||||
<a href='../it/download.htm'><img src='../i/fl/it.png' alt='it'/>Italiano</a>
|
||||
<a href='../nl/download.htm'><img src='../i/fl/nl.png' alt='nl'/>Nederlands</a>
|
||||
<a href='../ru/download.htm'><img src='../i/fl/ru.png' alt='ru'/>Русский</a>
|
||||
</div>
|
||||
</div>
|
||||
|
||||
<nav id="menu">
|
||||
<a href="../de/index.htm">KolibriOS</a>
|
||||
<a href="../de/download.htm" class='a'><font bg=lightblue>Download</font></a>
|
||||
<a href="http://board.kolibrios.org">Forum</a>
|
||||
<a href="http://wiki.kolibrios.org/index.php?title=Main_Page&setlang=de">Wiki</a>
|
||||
<a href="https://git.kolibrios.org">Git</a>
|
||||
<button onclick="dropdown_show(this)" id="l"><img src="../i/fl/de.png" alt="de"></button>
|
||||
</nav>
|
||||
|
||||
<div id="article" class="download">
|
||||
<h1>KolibriOS Dateien</h1>
|
||||
<table>
|
||||
<tr>
|
||||
<td width=38><img src="../i/i_floppy.png" alt="floppy"></td>
|
||||
<td class="description_cell">Disketten-Image</td>
|
||||
<td class="date_cell">$autobuild_date_en</td>
|
||||
<td>
|
||||
<a href="//builds.kolibrios.org/en_US/latest-img.7z" title="ver. $autobuild_cmtid_en_US, $autobuild_size_en_US_img">English</a>
|
||||
<a href="//builds.kolibrios.org/ru_RU/latest-img.7z" title="ver. $autobuild_cmtid_ru_RU, $autobuild_size_ru_RU_img">Русский</a>
|
||||
<a href="//builds.kolibrios.org/es_ES/latest-img.7z" title="ver. $autobuild_cmtid_es_ES, $autobuild_size_es_ES_img">Español</a>
|
||||
</td>
|
||||
</tr>
|
||||
<tr>
|
||||
<td width=38><img src="../i/i_cd.png" alt="cd"></td>
|
||||
<td class="description_cell">LiveCD Abbild</td>
|
||||
<td class="date_cell">$autobuild_date_en</td>
|
||||
<td>
|
||||
<a href="//builds.kolibrios.org/en_US/latest-iso.7z" title="ver. $autobuild_cmtid_en_US, $autobuild_size_en_US_iso">English</a>
|
||||
<a href="//builds.kolibrios.org/ru_RU/latest-iso.7z" title="ver. $autobuild_cmtid_ru_RU, $autobuild_size_ru_RU_iso">Русский</a>
|
||||
<a href="//builds.kolibrios.org/es_ES/latest-iso.7z" title="ver. $autobuild_cmtid_es_ES, $autobuild_size_es_ES_iso">Español</a>
|
||||
</td>
|
||||
</tr>
|
||||
<tr>
|
||||
<td width=38><img src="../i/i_uni.png" alt="universal"></td>
|
||||
<td class="description_cell">Universal Abbild Flash/HDD</td>
|
||||
<td class="date_cell">$autobuild_date_en</td>
|
||||
<td>
|
||||
<a href="//builds.kolibrios.org/en_US/latest-distr.7z" title="ver. $autobuild_cmtid_en_US, $autobuild_size_en_US_distr">English</a>
|
||||
<a href="//builds.kolibrios.org/ru_RU/latest-distr.7z" title="ver. $autobuild_cmtid_ru_RU, $autobuild_size_ru_RU_distr">Русский</a>
|
||||
<a href="//builds.kolibrios.org/es_ES/latest-distr.7z" title="ver. $autobuild_cmtid_es_ES, $autobuild_size_es_ES_distr">Español</a>
|
||||
</td>
|
||||
</tr>
|
||||
<tr>
|
||||
<td width=38><img src="../i/i_uefi.png" alt="uefi"></td>
|
||||
<td class="description_cell">Hybrid UEFI/BIOS-Image für Flash/HDD</td>
|
||||
<td class="date_cell">$autobuild_date_en</td>
|
||||
<td>
|
||||
<a href="//builds.kolibrios.org/en_US/latest-raw.7z" title="ver. $autobuild_cmtid_en_US, $autobuild_size_en_US_raw">English</a>
|
||||
<a href="//builds.kolibrios.org/ru_RU/latest-raw.7z" title="ver. $autobuild_cmtid_ru_RU, $autobuild_size_ru_RU_raw">Русский</a>
|
||||
<a href="//builds.kolibrios.org/es_ES/latest-raw.7z" title="ver. $autobuild_cmtid_es_ES, $autobuild_size_es_ES_raw">Español</a>
|
||||
</td>
|
||||
</tr>
|
||||
<tr>
|
||||
<td><div></div></td>
|
||||
<td colspan="3">
|
||||
<button class="help-button" onclick="alert('For a beginner, the LiveCD is best.\n\nCompared to a LiveCD, the advantage of a universal image is that you can save changes made in KolibriOS.\n\nHybrid image includes support for UEFI technology, which is used to boot the system on new computers and laptops.');">Welches soll man wählen?</button>
|
||||
<a href="//archive.kolibrios.org/de/">KolibriOS vorausgegangene Veröffentlichungen</a>
|
||||
<a href="//builds.kolibrios.org/">Alle Nightly Builds</a>
|
||||
</td>
|
||||
</tr>
|
||||
</table>
|
||||
|
||||
<p>Auf dieser Seite können Sie sich die Nightly Builds herunterladen, diese Versionen enthalten die neuesten Softwareänderungen und können daher
|
||||
instabil sein. Alle Dateien sind mit <a href='http://www.7-zip.org' target='_blank'>7zip</a> komprimiert.
|
||||
KolibriOS wird unter der Lizenz <a href='http://www.gnu.org/licenses/gpl-2.0.html' target='_blank'>GPLv2</a> vertrieben,
|
||||
der Quellcode ist auf unserem <a href='https://git.kolibrios.org'>Git-Server</a> verfügbar.</p>
|
||||
|
||||
<h1>Bildschirmabzüge</h1>
|
||||
<div id="screen">
|
||||
<div id="show" onclick="next()">
|
||||
<img id='slide1' src='../i/slaid/slaid1.png' alt="KolibriOS empty desktop" class='visible'>
|
||||
<img id='slide2' src='../i/slaid/slaid2.png' alt="Demos">
|
||||
<img id='slide3' src='../i/slaid/slaid3.png' alt="File managers">
|
||||
<img id='slide4' src='../i/slaid/slaid4.png' alt="Network programs">
|
||||
<img id='slide5' src='../i/slaid/slaid5.png' alt="Games">
|
||||
<img id='slide6' src='../i/slaid/slaid6.png' alt="Developer and debug tools">
|
||||
</div>
|
||||
</div>
|
||||
|
||||
</div>
|
||||
<div id="footer">© 2004<script>document.write(" – " + new Date().getFullYear())</script> KolibriOS Team</div>
|
||||
</body>
|
||||
</html>
|
50
de/index.htm
@@ -1,50 +0,0 @@
|
||||
<!doctype html>
|
||||
<html lang="de" onmouseup="dropdown_hide()">
|
||||
<head>
|
||||
<meta charset="utf-8">
|
||||
<title>KolibriOS offizielle Seite</title>
|
||||
<link rel="icon" type="image/x-icon" href="../favicon.ico">
|
||||
<meta name="description" content="KolibriOS offizielle Seite">
|
||||
<meta name="keywords" content="kolibri, kolibrios, колибри, колибриос, colibri, operating system, assembler, калибри, fasm, alternate, open source">
|
||||
<meta name="viewport" content="width=device-width">
|
||||
<link rel="stylesheet" type="text/css" href="../style.css">
|
||||
<script src='../script.js'></script>
|
||||
</head>
|
||||
<body onkeydown='checkkey(event)'>
|
||||
|
||||
<div id="lang-dropdown">
|
||||
<div>
|
||||
<a href='../en/index.htm'><img src='../i/fl/en.png' alt='en'/>English</a>
|
||||
<font bg=#FF9800><a class='sel' href='../de/index.htm'><img src='../i/fl/de.png' alt='de'/>Deutsch</a></font>
|
||||
<a href='../es/index.htm'><img src='../i/fl/es.png' alt='es'/>Español</a>
|
||||
<a href='../fr/index.htm'><img src='../i/fl/fr.png' alt='fr'/>Français</a>
|
||||
<a href='../it/index.htm'><img src='../i/fl/it.png' alt='it'/>Italiano</a>
|
||||
<a href='../nl/index.htm'><img src='../i/fl/nl.png' alt='nl'/>Nederlands</a>
|
||||
<a href='../ru/index.htm'><img src='../i/fl/ru.png' alt='ru'/>Русский</a>
|
||||
</div>
|
||||
</div>
|
||||
|
||||
<nav id="menu">
|
||||
<a href="../de/index.htm" class='a'><font bg=lightblue>KolibriOS</font></a>
|
||||
<a href="../de/download.htm">Download</a>
|
||||
<a href="http://board.kolibrios.org">Forum</a>
|
||||
<a href="http://wiki.kolibrios.org/index.php?title=Main_Page&setlang=de">Wiki</a>
|
||||
<a href="https://git.kolibrios.org">Git</a>
|
||||
<button onclick="dropdown_show(this)" id="l"><img src="../i/fl/de.png" alt="de"></button>
|
||||
</nav>
|
||||
|
||||
<div id="article" style="padding-bottom: 30px;">
|
||||
<a href="https://www.facebook.com/groups/kolibrios" target="_blank"><img id="banner" src="../i/banners/en.png" alt="We got closer. Follow us on Facebook!"></a>
|
||||
|
||||
<br>
|
||||
<p><strong>KolibriOS</strong> ist ein kleines, aber dennoch unglaublich leistungsstarkes und schnelles Betriebsystem. Dieses Packet benötigt nur einige Megabyte Festplattenplatz und 8 Megabyte Arbeitsspeicher um vollständig zu laufen. KolibriOS
|
||||
enthält eine reiche Anzahl an <a href="http://wiki.kolibrios.org/wiki/Applications">Anwendungen</a>, wie z.B.: ein Schreibprogramm, ein Bildbetrachter, eine Bildverarbeitung, einen Internet Browser und mehr als 30 aufregende Spiele. Volle FAT12/16/32 Unterstützung wurde eingebaut, wie die Lesefunktionalität für NTFS, ISO9660 und Ext2/3/4. <a href="http://wiki.kolibrios.org/wiki/Hardware_Support">Treiber</a> wurden für weitverbreitete Sound-, Netzwerk- und Grafikkarten geschrieben.</p>
|
||||
|
||||
<iframe style="margin:5px 0 5px 25px; float:right;" width="560" height="315" src="http://www.youtube.com/embed/XnlA4ijrTBo" frameborder="0" allowfullscreen></iframe>
|
||||
|
||||
<p style="padding: 15px 0;">Haben Sie schon immer von einem Betriebsystem auf einem 100$ PC geträumt, das in unter 10 Sekunden vom ersten Einschalten bis zur Oberfläche bootet? Anwendungen die sofort laufen, also keine Sanduhren/Wartezeiten mehr? Diese Geschwindigkeit wird dadurch erreicht, dass die Hauptbestandteile von KolibriOS (Kernel und Treiber) ausschließlich in <a href="http://www.flatassembler.net" target="_blank">FASM</a> Assembler/Maschinensprache geschrieben wurden! Probieren Sie <strong>KolibriOS</strong> und vergleichen Sie es mit den Schwergewichten, wie Windows oder Linux.
|
||||
</p>
|
||||
|
||||
<p><b>KoliriOS</b> hat sich von MenuetOS 2004 abgespalten und wurde seither unabhängig (weiter-)entwicklet. Der Komplette Quellcode ist Open-Source und die Mehrheit des Quelltextes wurde unter der <a href="http://www.gnu.org/licenses/gpl-2.0.html" target="_blank">GPLv2</a> Lizenz herausgegeben. Ihre <a href="http://board.kolibrios.org">Rückmeldung</a> ist uns sehr wichtig und Ihre <a href="http://wiki.kolibrios.org/wiki/Kolibri_tomorrow">Unterstützung</a> sehr erwünscht.</p>
|
||||
</div> <div id="footer">© 2004<script>document.write(" – " + new Date().getFullYear())</script> KolibriOS Team</div></body>
|
||||
</html>
|
@@ -1,110 +0,0 @@
|
||||
<!doctype html>
|
||||
<html lang="en" onmouseup="dropdown_hide()">
|
||||
<head>
|
||||
<meta charset="utf-8">
|
||||
<title>KolibriOS Downloads</title>
|
||||
<link rel="icon" type="image/x-icon" href="../favicon.ico">
|
||||
<meta name="description" content="KolibriOS Downloads">
|
||||
<meta name="keywords" content="kolibri, kolibrios, колибри, колибриос, colibri, operating system, assembler, калибри, fasm, alternate, open source">
|
||||
<meta name="viewport" content="width=device-width">
|
||||
<link rel="stylesheet" type="text/css" href="../style.css">
|
||||
<script src='../script.js'></script>
|
||||
</head>
|
||||
<body onkeydown='checkkey(event)'>
|
||||
|
||||
<div id="lang-dropdown">
|
||||
<div>
|
||||
<font bg=#FF9800><a class='sel' href='../en/download.htm'><img src='../i/fl/en.png' alt='en'/>English</a></font>
|
||||
<a href='../de/download.htm'><img src='../i/fl/de.png' alt='de'/>Deutsch</a>
|
||||
<a href='../es/download.htm'><img src='../i/fl/es.png' alt='es'/>Español</a>
|
||||
<a href='../fr/download.htm'><img src='../i/fl/fr.png' alt='fr'/>Français</a>
|
||||
<a href='../it/download.htm'><img src='../i/fl/it.png' alt='it'/>Italiano</a>
|
||||
<a href='../nl/download.htm'><img src='../i/fl/nl.png' alt='nl'/>Nederlands</a>
|
||||
<a href='../ru/download.htm'><img src='../i/fl/ru.png' alt='ru'/>Русский</a>
|
||||
</div>
|
||||
</div>
|
||||
|
||||
<nav id="menu">
|
||||
<a href="../en/index.htm">KolibriOS</a>
|
||||
<a href="../en/download.htm" class='a'><font bg=lightblue>Download</font></a>
|
||||
<a href="http://board.kolibrios.org">Forum</a>
|
||||
<a href="http://wiki.kolibrios.org/index.php?title=Main_Page&setlang=en">Wiki</a>
|
||||
<a href="https://git.kolibrios.org">Git</a>
|
||||
<button onclick="dropdown_show(this)" id="l"><img src="../i/fl/en.png" alt="en"></button>
|
||||
</nav>
|
||||
|
||||
|
||||
<div id="article" class="download">
|
||||
<h1>KolibriOS Downloads</h1>
|
||||
<table>
|
||||
<tr>
|
||||
<td width=38><img src="../i/i_floppy.png" alt="floppy"></td>
|
||||
<td class="description_cell">Floppy disk image</td>
|
||||
<td class="date_cell">$autobuild_date_en</td>
|
||||
<td>
|
||||
<a href="//builds.kolibrios.org/en_US/latest-img.7z" title="ver. $autobuild_cmtid_en_US, $autobuild_size_en_US_img">English</a>
|
||||
<a href="//builds.kolibrios.org/ru_RU/latest-img.7z" title="ver. $autobuild_cmtid_ru_RU, $autobuild_size_ru_RU_img">Русский</a>
|
||||
<a href="//builds.kolibrios.org/es_ES/latest-img.7z" title="ver. $autobuild_cmtid_es_ES, $autobuild_size_es_ES_img">Español</a>
|
||||
</td>
|
||||
</tr>
|
||||
<tr>
|
||||
<td width=38><img src="../i/i_cd.png" alt="cd"></td>
|
||||
<td class="description_cell">LiveCD image</td>
|
||||
<td class="date_cell">$autobuild_date_en</td>
|
||||
<td>
|
||||
<a href="//builds.kolibrios.org/en_US/latest-iso.7z" title="ver. $autobuild_cmtid_en_US, $autobuild_size_en_US_iso">English</a>
|
||||
<a href="//builds.kolibrios.org/ru_RU/latest-iso.7z" title="ver. $autobuild_cmtid_ru_RU, $autobuild_size_ru_RU_iso">Русский</a>
|
||||
<a href="//builds.kolibrios.org/es_ES/latest-iso.7z" title="ver. $autobuild_cmtid_es_ES, $autobuild_size_es_ES_iso">Español</a>
|
||||
</td>
|
||||
</tr>
|
||||
<tr>
|
||||
<td width=38><img src="../i/i_uni.png" alt="universal"></td>
|
||||
<td class="description_cell">Universal image Flash/HDD</td>
|
||||
<td class="date_cell">$autobuild_date_en</td>
|
||||
<td>
|
||||
<a href="//builds.kolibrios.org/en_US/latest-distr.7z" title="ver. $autobuild_cmtid_en_US, $autobuild_size_en_US_distr">English</a>
|
||||
<a href="//builds.kolibrios.org/ru_RU/latest-distr.7z" title="ver. $autobuild_cmtid_ru_RU, $autobuild_size_ru_RU_distr">Русский</a>
|
||||
<a href="//builds.kolibrios.org/es_ES/latest-distr.7z" title="ver. $autobuild_cmtid_es_ES, $autobuild_size_es_ES_distr">Español</a>
|
||||
</td>
|
||||
</tr>
|
||||
<tr>
|
||||
<td width=38><img src="../i/i_uefi.png" alt="uefi"></td>
|
||||
<td class="description_cell">Hybrid UEFI/BIOS image for Flash/HDD</td>
|
||||
<td class="date_cell">$autobuild_date_en</td>
|
||||
<td>
|
||||
<a href="//builds.kolibrios.org/en_US/latest-raw.7z" title="ver. $autobuild_cmtid_en_US, $autobuild_size_en_US_raw">English</a>
|
||||
<a href="//builds.kolibrios.org/ru_RU/latest-raw.7z" title="ver. $autobuild_cmtid_ru_RU, $autobuild_size_ru_RU_raw">Русский</a>
|
||||
<a href="//builds.kolibrios.org/es_ES/latest-raw.7z" title="ver. $autobuild_cmtid_es_ES, $autobuild_size_es_ES_raw">Español</a>
|
||||
</td>
|
||||
</tr>
|
||||
<tr>
|
||||
<td><div></div></td>
|
||||
<td colspan="3">
|
||||
<button class="help-button" onclick="alert('For a beginner, the LiveCD is best.\n\nCompared to a LiveCD, the advantage of a universal image is that you can save changes made in KolibriOS.\n\nHybrid image includes support for UEFI technology, which is used to boot the system on new computers and laptops.');">Which to choose?</button>
|
||||
<a href="//archive.kolibrios.org/en/">KolibriOS previous releases</a>
|
||||
<a href="//builds.kolibrios.org/">All nightly builds</a>
|
||||
</td>
|
||||
</tr>
|
||||
</table>
|
||||
|
||||
<p>On this page you can download the nightly builds distribution — which means that they always contain the most recent changes in the system and can therefore be unstable. All files are compressed with <a href='http://www.7-zip.org' target='_blank'>7zip</a>.
|
||||
KolibriOS is distributed under under <a href='http://www.gnu.org/licenses/gpl-2.0.html' target='_blank'>GPLv2</a>
|
||||
license, its source code is available on our <a href='https://git.kolibrios.org'>Git server</a>.
|
||||
</p>
|
||||
|
||||
<h1>Screenshots</h1>
|
||||
<div id="screen">
|
||||
<div id="show" onclick="next()">
|
||||
<img id='slide1' src='../i/slaid/slaid1.png' alt="KolibriOS empty desktop" class='visible'>
|
||||
<img id='slide2' src='../i/slaid/slaid2.png' alt="Demos">
|
||||
<img id='slide3' src='../i/slaid/slaid3.png' alt="File managers">
|
||||
<img id='slide4' src='../i/slaid/slaid4.png' alt="Network programs">
|
||||
<img id='slide5' src='../i/slaid/slaid5.png' alt="Games">
|
||||
<img id='slide6' src='../i/slaid/slaid6.png' alt="Developer and debug tools">
|
||||
</div>
|
||||
</div>
|
||||
|
||||
</div>
|
||||
<div id="footer">© 2004<script>document.write(" – " + new Date().getFullYear())</script> KolibriOS Team</div>
|
||||
</body>
|
||||
</html>
|
54
en/index.htm
@@ -1,54 +0,0 @@
|
||||
<!doctype html>
|
||||
<html lang="en" onmouseup="dropdown_hide()">
|
||||
<head>
|
||||
<meta charset="utf-8">
|
||||
<title>KolibriOS official site</title>
|
||||
<link rel="icon" type="image/x-icon" href="../favicon.ico">
|
||||
<meta name="description" content="KolibriOS official site">
|
||||
<meta name="keywords" content="kolibri, kolibrios, колибри, колибриос, colibri, operating system, assembler, калибри, fasm, alternate, open source">
|
||||
<meta name="viewport" content="width=device-width">
|
||||
<link rel="stylesheet" type="text/css" href="../style.css">
|
||||
<script src='../script.js'></script>
|
||||
</head>
|
||||
<body onkeydown='checkkey(event)'>
|
||||
|
||||
<div id="lang-dropdown">
|
||||
<div>
|
||||
<font bg=#FF9800><a class='sel' href='../en/index.htm'><img src='../i/fl/en.png' alt='en'/>English</a></font>
|
||||
<a href='../de/index.htm'><img src='../i/fl/de.png' alt='de'/>Deutsch</a>
|
||||
<a href='../es/index.htm'><img src='../i/fl/es.png' alt='es'/>Español</a>
|
||||
<a href='../fr/index.htm'><img src='../i/fl/fr.png' alt='fr'/>Français</a>
|
||||
<a href='../it/index.htm'><img src='../i/fl/it.png' alt='it'/>Italiano</a>
|
||||
<a href='../nl/index.htm'><img src='../i/fl/nl.png' alt='nl'/>Nederlands</a>
|
||||
<a href='../ru/index.htm'><img src='../i/fl/ru.png' alt='ru'/>Русский</a>
|
||||
</div>
|
||||
</div>
|
||||
|
||||
<nav id="menu">
|
||||
<a href="../en/index.htm" class='a'><font bg=lightblue>KolibriOS</font></a>
|
||||
<a href="../en/download.htm" >Download</a>
|
||||
<a href="http://board.kolibrios.org">Forum</a>
|
||||
<a href="http://wiki.kolibrios.org/index.php?title=Main_Page&setlang=en">Wiki</a>
|
||||
<a href="https://git.kolibrios.org">Git</a>
|
||||
<button onclick="dropdown_show(this)" id="l"><img src="../i/fl/en.png" alt="en"></button>
|
||||
</nav>
|
||||
|
||||
<div id="article" style="padding-bottom: 30px;">
|
||||
|
||||
<a href="https://www.facebook.com/groups/kolibrios" target="_blank"><img id="banner" src="../i/banners/en.png" alt="We got closer. Follow us on Facebook!"></a>
|
||||
|
||||
<br>
|
||||
<p><strong>KolibriOS</strong> is a tiny yet incredibly powerful and fast operating system. This power requires only a few megabyte disk space and 8MB of RAM to run. <b>KolibriOS</b> features a rich set of applications that include word processor, image viewer, graphical editor, web browser and well over 30 exciting games. Full FAT12/16/32 support is implemented, as well as read-only support for NTFS, exFAT, ISO9660 and Ext2/3/4. <a href="http://wiki.kolibrios.org/wiki/Hardware_Support">Drivers</a> are written for popular sound, network and graphics cards.</p>
|
||||
|
||||
<!--
|
||||
<iframe style="margin:5px 0 5px 25px; float:right;" width="560" height="315" src="https://www.youtube.com/embed/XnlA4ijrTBo" frameborder="0" allowfullscreen></iframe>
|
||||
-->
|
||||
|
||||
<p style="padding: 15px 0;">Have you ever dreamed of a system that boots in less than few seconds from power-on to working GUI? Applications that start instantly, immediately after clicking an icon, without annoying hourglass pointers? This speed is achieved since the core parts of <b>KolibriOS</b> (kernel and drivers) are written entirely in <a href="http://www.flatassembler.net" target="_blank">FASM</a> assembly language! Try <strong>KolibriOS</strong> and compare it with such heavyweights as Windows and Linux.</p>
|
||||
|
||||
<p><b>KolibriOS</b> has forked off from MenuetOS in 2004, and is run under independent development since then. All our code is open-source, with the majority of the code released under <a href="http://www.gnu.org/licenses/gpl-2.0.html" target="_blank">GPLv2</a> license. Your <a href="http://board.kolibrios.org">feedback</a> is very much appreciated, and your <a href="http://wiki.kolibrios.org/wiki/Kolibri_tomorrow">help</a> is even more welcome.</p>
|
||||
|
||||
</div>
|
||||
<div id="footer">© 2004<script>document.write(" – " + new Date().getFullYear())</script> KolibriOS Team</div>
|
||||
</body>
|
||||
</html>
|
@@ -1,107 +0,0 @@
|
||||
<!doctype html>
|
||||
<html lang="es" onmouseup="dropdown_hide()">
|
||||
<head>
|
||||
<meta charset="utf-8">
|
||||
<title>Descargas de KolibriOS</title>
|
||||
<link rel="icon" type="image/x-icon" href="../favicon.ico">
|
||||
<meta name="description" content="Descargas de KolibriOS">
|
||||
<meta name="keywords" content="kolibri, kolibrios, колибри, колибриос, colibri, operating system, assembler, калибри, fasm, alternate, open source">
|
||||
<meta name="viewport" content="width=device-width">
|
||||
<link rel="stylesheet" type="text/css" href="../style.css">
|
||||
<script src='../script.js'></script>
|
||||
</head>
|
||||
<body onkeydown='checkkey(event)'>
|
||||
|
||||
<div id="lang-dropdown">
|
||||
<div>
|
||||
<a href='../en/download.htm'><img src='../i/fl/en.png' alt='en'/>English</a>
|
||||
<a href='../de/download.htm'><img src='../i/fl/de.png' alt='de'/>Deutsch</a>
|
||||
<font bg=#FF9800><a class='sel' href='../es/download.htm'><img src='../i/fl/es.png' alt='es'/>Español</a></font>
|
||||
<a href='../fr/download.htm'><img src='../i/fl/fr.png' alt='fr'/>Français</a>
|
||||
<a href='../it/download.htm'><img src='../i/fl/it.png' alt='it'/>Italiano</a>
|
||||
<a href='../nl/download.htm'><img src='../i/fl/nl.png' alt='nl'/>Nederlands</a>
|
||||
<a href='../ru/download.htm'><img src='../i/fl/ru.png' alt='ru'/>Русский</a>
|
||||
</div>
|
||||
</div>
|
||||
|
||||
<nav id="menu">
|
||||
<a href="../es/index.htm" >KolibriOS</a>
|
||||
<a href="../es/download.htm" class='a'><font bg=lightblue>Descargar</font></a>
|
||||
<a href="http://board.kolibrios.org">Foro</a>
|
||||
<a href="http://wiki.kolibrios.org/index.php?title=Main_Page&setlang=es">Wiki</a>
|
||||
<a href="https://git.kolibrios.org">Git</a>
|
||||
<button onclick="dropdown_show(this)" id="l"><img src="../i/fl/es.png" alt="es"></button>
|
||||
</nav>
|
||||
|
||||
|
||||
<div id="article" class="download">
|
||||
<h1>Descargas de KolibriOS</h1>
|
||||
<table>
|
||||
<tr>
|
||||
<td width=38><img src="../i/i_floppy.png" alt="floppy"></td>
|
||||
<td class="description_cell">Imagen de disquete</td>
|
||||
<td class="date_cell">$autobuild_date_en</td>
|
||||
<td>
|
||||
<a href="//builds.kolibrios.org/en_US/latest-img.7z" title="ver. $autobuild_cmtid_en_US, $autobuild_size_en_US_img">English</a>
|
||||
<a href="//builds.kolibrios.org/ru_RU/latest-img.7z" title="ver. $autobuild_cmtid_ru_RU, $autobuild_size_ru_RU_img">Русский</a>
|
||||
<a href="//builds.kolibrios.org/es_ES/latest-img.7z" title="ver. $autobuild_cmtid_es_ES, $autobuild_size_es_ES_img">Español</a>
|
||||
</td>
|
||||
</tr>
|
||||
<tr>
|
||||
<td width=38><img src="../i/i_cd.png" alt="cd"></td>
|
||||
<td class="description_cell">Imágen para CD (LiveCD)</td>
|
||||
<td class="date_cell">$autobuild_date_en</td>
|
||||
<td>
|
||||
<a href="//builds.kolibrios.org/en_US/latest-iso.7z" title="ver. $autobuild_cmtid_en_US, $autobuild_size_en_US_iso">English</a>
|
||||
<a href="//builds.kolibrios.org/ru_RU/latest-iso.7z" title="ver. $autobuild_cmtid_ru_RU, $autobuild_size_ru_RU_iso">Русский</a>
|
||||
<a href="//builds.kolibrios.org/es_ES/latest-iso.7z" title="ver. $autobuild_cmtid_es_ES, $autobuild_size_es_ES_iso">Español</a>
|
||||
</td>
|
||||
</tr>
|
||||
<tr>
|
||||
<td width=38><img src="../i/i_uni.png" alt="universal"></td>
|
||||
<td class="description_cell">Imágen universal para memorias flash y discos duros</td>
|
||||
<td class="date_cell">$autobuild_date_en</td>
|
||||
<td>
|
||||
<a href="//builds.kolibrios.org/en_US/latest-distr.7z" title="ver. $autobuild_cmtid_en_US, $autobuild_size_en_US_distr">English</a>
|
||||
<a href="//builds.kolibrios.org/ru_RU/latest-distr.7z" title="ver. $autobuild_cmtid_ru_RU, $autobuild_size_ru_RU_distr">Русский</a>
|
||||
<a href="//builds.kolibrios.org/es_ES/latest-distr.7z" title="ver. $autobuild_cmtid_es_ES, $autobuild_size_es_ES_distr">Español</a>
|
||||
</td>
|
||||
</tr>
|
||||
<tr>
|
||||
<td width=38><img src="../i/i_uefi.png" alt="uefi"></td>
|
||||
<td class="description_cell">Imagen híbrida UEFI/BIOS para Flash/HDD</td>
|
||||
<td class="date_cell">$autobuild_date_en</td>
|
||||
<td>
|
||||
<a href="//builds.kolibrios.org/en_US/latest-raw.7z" title="ver. $autobuild_cmtid_en_US, $autobuild_size_en_US_raw">English</a>
|
||||
<a href="//builds.kolibrios.org/ru_RU/latest-raw.7z" title="ver. $autobuild_cmtid_ru_RU, $autobuild_size_ru_RU_raw">Русский</a>
|
||||
<a href="//builds.kolibrios.org/es_ES/latest-raw.7z" title="ver. $autobuild_cmtid_es_ES, $autobuild_size_es_ES_raw">Español</a>
|
||||
</td>
|
||||
</tr>
|
||||
<tr>
|
||||
<td><div></div></td>
|
||||
<td colspan="3">
|
||||
<button class="help-button" onclick="alert('Para un principiante, el LiveCD es lo mejor.\n\nEn comparación con un LiveCD, la ventaja de una imagen genérica es que puede guardar los cambios realizados en KolibriOS.\n\nLa imagen híbrida incluye soporte para la tecnología UEFI, que se utiliza para iniciar el sistema en computadoras y laptops nuevas.');">¿Cuál elegir?</button>
|
||||
<a href="//archive.kolibrios.org/es/">Versiones anteriores de KolibriOS</a>
|
||||
<a href="//builds.kolibrios.org/">Todas las imágenes</a>
|
||||
</td>
|
||||
</tr>
|
||||
</table>
|
||||
|
||||
<p>Licencia <a href='http://www.gnu.org/licenses/gpl-2.0.html' target='_blank'>GPLv2</a>.</p>
|
||||
|
||||
<h1>Capturas de pantalla</h1>
|
||||
<div id="screen">
|
||||
<div id="show" onclick="next()">
|
||||
<img id='slide1' src='../i/slaid/slaid1.png' alt="KolibriOS empty desktop" class='visible'>
|
||||
<img id='slide2' src='../i/slaid/slaid2.png' alt="Demos">
|
||||
<img id='slide3' src='../i/slaid/slaid3.png' alt="File managers">
|
||||
<img id='slide4' src='../i/slaid/slaid4.png' alt="Network programs">
|
||||
<img id='slide5' src='../i/slaid/slaid5.png' alt="Games">
|
||||
<img id='slide6' src='../i/slaid/slaid6.png' alt="Developer and debug tools">
|
||||
</div>
|
||||
</div>
|
||||
|
||||
</div>
|
||||
<div id="footer">© 2004<script>document.write(" – " + new Date().getFullYear())</script> KolibriOS Team</div>
|
||||
</body>
|
||||
</html>
|
51
es/index.htm
@@ -1,51 +0,0 @@
|
||||
<!doctype html>
|
||||
<html lang="es" onmouseup="dropdown_hide()">
|
||||
<head>
|
||||
<meta charset="utf-8">
|
||||
<title>Sitio oficial de KolibriOS</title>
|
||||
<link rel="icon" type="image/x-icon" href="../favicon.ico">
|
||||
<meta name="description" content="Sitio oficial de KolibriOS">
|
||||
<meta name="keywords" content="kolibri, kolibrios, колибри, колибриос, colibri, operating system, assembler, калибри, fasm, alternate, open source">
|
||||
<meta name="viewport" content="width=device-width">
|
||||
<link rel="stylesheet" type="text/css" href="../style.css">
|
||||
<script src='../script.js'></script>
|
||||
</head>
|
||||
<body onkeydown='checkkey(event)'>
|
||||
|
||||
<div id="lang-dropdown">
|
||||
<div>
|
||||
<a href='../en/index.htm'><img src='../i/fl/en.png' alt='en'/>English</a>
|
||||
<a href='../de/index.htm'><img src='../i/fl/de.png' alt='de'/>Deutsch</a>
|
||||
<font bg=#FF9800><a class='sel' href='../es/index.htm'><img src='../i/fl/es.png' alt='es'/>Español</a></font>
|
||||
<a href='../fr/index.htm'><img src='../i/fl/fr.png' alt='fr'/>Français</a>
|
||||
<a href='../it/index.htm'><img src='../i/fl/it.png' alt='it'/>Italiano</a>
|
||||
<a href='../nl/index.htm'><img src='../i/fl/nl.png' alt='nl'/>Nederlands</a>
|
||||
<a href='../ru/index.htm'><img src='../i/fl/ru.png' alt='ru'/>Русский</a>
|
||||
</div>
|
||||
</div>
|
||||
|
||||
<nav id="menu">
|
||||
<a href="../es/index.htm" class='a'><font bg=lightblue>KolibriOS</font></a>
|
||||
<a href="../es/download.htm" >Descargar</a>
|
||||
<a href="http://board.kolibrios.org">Foro</a>
|
||||
<a href="http://wiki.kolibrios.org/index.php?title=Main_Page&setlang=es">Wiki</a>
|
||||
<a href="https://git.kolibrios.org">Git</a>
|
||||
<button onclick="dropdown_show(this)" id="l"><img src="../i/fl/es.png" alt="es"></button>
|
||||
</nav>
|
||||
|
||||
<div id="article" style="padding-bottom: 30px;">
|
||||
<a href="../es/download.htm">
|
||||
<img id="banner" class="big" src="../i/banners/es.png" alt="We got closer. KolibriOS is now avilable in Spanish!">
|
||||
</a>
|
||||
<br>
|
||||
<p><strong>KolibriOS</strong> es un pequeño sistema operativo poderoso y rápido. Sólamente requiere unos pocos megabytes de espacio en disco y 8MB de memoria RAM para funcionar. KolibriOS incluye varias aplicaciones: procesador de textos, visor de imágenes, editor gráfico, navegador web y más de 30 juegos. El soporte total para FAT12/16/32 está implementado, como también el soporte de sólo lectura para NTFS, ISO9660 y Ext2/3/4. Hay <a href="http://wiki.kolibrios.org/wiki/Hardware_Support">controladores</a> escritos para las tarjetas más populares de sonido, red y video.</p>
|
||||
|
||||
<iframe style="margin:5px 0 5px 25px; float:right;" width="560" height="315" src="http://www.youtube.com/embed/XnlA4ijrTBo" frameborder="0" allowfullscreen></iframe>
|
||||
|
||||
<p style="padding: 15px 0;">¿Alguna vez soñaste con un sistema que demorara menos de 10 segundos en cargar la interfaz gráfica luego del encendido, en un <link "$100 PC">PC de 100 dólares</link>? ¿Aplicaciones que inician inmediatamente luego de cliquear un icono, sin un molesto cursor con forma de reloj de arena?
|
||||
¡Con KolibriOS es posible porque su núcleo y controladores están escritos enteramente en el lenguaje ensamblador <a href="http://www.flatassembler.net" target="_blank">FASM</a>! Prueba KolibriOS y comparalo con pesos pesados como Windows y Linux.</p>
|
||||
|
||||
<p><b>KolibriOS</b> empezó en 2004 usando como base el código de MenuetOS, pero desde entonces su desarrollo es independiente. Todo nuestro código es abierto, con la mayoría del código liberado bajo la licencia <a href="http://www.gnu.org/licenses/gpl-2.0.html" target="_blank">GPLv2</a>. Apreciamos mucho tus <a href="http://board.kolibrios.org/viewforum.php?f=50">comentarios</a> y tu <a href="http://wiki.kolibrios.org/wiki/Kolibri_tomorrow">ayuda</a> es muy bienvenida.</p>
|
||||
</div>
|
||||
<div id="footer">© 2004<script>document.write(" – " + new Date().getFullYear())</script> KolibriOS Team</div></body>
|
||||
</html>
|
@@ -1,110 +0,0 @@
|
||||
<!doctype html>
|
||||
<html lang="fr" onmouseup="dropdown_hide()">
|
||||
<head>
|
||||
<meta charset="utf-8">
|
||||
<title>KolibriOS - Téléchargements</title>
|
||||
<link rel="icon" type="image/x-icon" href="../favicon.ico">
|
||||
<meta name="description" content="KolibriOS - Téléchargements">
|
||||
<meta name="keywords" content="kolibri, kolibrios, колибри, колибриос, colibri, operating system, assembler, калибри, fasm, alternate, open source">
|
||||
<meta name="viewport" content="width=device-width">
|
||||
<link rel="stylesheet" type="text/css" href="../style.css">
|
||||
<script src='../script.js'></script>
|
||||
</head>
|
||||
<body onkeydown='checkkey(event)'>
|
||||
|
||||
<div id="lang-dropdown">
|
||||
<div>
|
||||
<a href='../en/download.htm'><img src='../i/fl/en.png' alt='en'/>English</a>
|
||||
<a href='../de/download.htm'><img src='../i/fl/de.png' alt='de'/>Deutsch</a>
|
||||
<a href='../es/download.htm'><img src='../i/fl/es.png' alt='es'/>Español</a>
|
||||
<font bg=#FF9800><a class='sel' href='../fr/download.htm'><img src='../i/fl/fr.png' alt='fr'/>Français</a></font>
|
||||
<a href='../it/download.htm'><img src='../i/fl/it.png' alt='it'/>Italiano</a>
|
||||
<a href='../nl/download.htm'><img src='../i/fl/nl.png' alt='nl'/>Nederlands</a>
|
||||
<a href='../ru/download.htm'><img src='../i/fl/ru.png' alt='ru'/>Русский</a>
|
||||
</div>
|
||||
</div>
|
||||
|
||||
<nav id="menu">
|
||||
<a href="../fr/index.htm" >KolibriOS</a>
|
||||
<a href="../fr/download.htm" class='a'><font bg=lightblue>Téléchargement</font></a>
|
||||
<a href="http://board.kolibrios.org">Forum</a>
|
||||
<a href="http://wiki.kolibrios.org/index.php?title=Main_Page&setlang=fr">Wiki</a>
|
||||
<a href="https://git.kolibrios.org">Git</a>
|
||||
<button onclick="dropdown_show(this)" id="l"><img src="../i/fl/fr.png" alt="fr"></button>
|
||||
</nav>
|
||||
|
||||
<div id="article" class="download">
|
||||
<h1>KolibriOS - Téléchargements</h1>
|
||||
<table>
|
||||
<tr>
|
||||
<td width=38><img src="../i/i_floppy.png" alt="floppy"></td>
|
||||
<td class="description_cell">Image de disquette</td>
|
||||
<td class="date_cell">$autobuild_date_en</td>
|
||||
<td>
|
||||
<a href="//builds.kolibrios.org/en_US/latest-img.7z" title="ver. $autobuild_cmtid_en_US, $autobuild_size_en_US_img">English</a>
|
||||
<a href="//builds.kolibrios.org/ru_RU/latest-img.7z" title="ver. $autobuild_cmtid_ru_RU, $autobuild_size_ru_RU_img">Русский</a>
|
||||
<a href="//builds.kolibrios.org/es_ES/latest-img.7z" title="ver. $autobuild_cmtid_es_ES, $autobuild_size_es_ES_img">Español</a>
|
||||
</td>
|
||||
</tr>
|
||||
<tr>
|
||||
<td width=38><img src="../i/i_cd.png" alt="cd"></td>
|
||||
<td class="description_cell">Image CD autonome « Live »</td>
|
||||
<td class="date_cell">$autobuild_date_en</td>
|
||||
<td>
|
||||
<a href="//builds.kolibrios.org/en_US/latest-iso.7z" title="ver. $autobuild_cmtid_en_US, $autobuild_size_en_US_iso">English</a>
|
||||
<a href="//builds.kolibrios.org/ru_RU/latest-iso.7z" title="ver. $autobuild_cmtid_ru_RU, $autobuild_size_ru_RU_iso">Русский</a>
|
||||
<a href="//builds.kolibrios.org/es_ES/latest-iso.7z" title="ver. $autobuild_cmtid_es_ES, $autobuild_size_es_ES_iso">Español</a>
|
||||
</td>
|
||||
</tr>
|
||||
<tr>
|
||||
<td width=38><img src="../i/i_uni.png" alt="universal"></td>
|
||||
<td class="description_cell">Image universelle pour mémoire flash et disque dur</td>
|
||||
<td class="date_cell">$autobuild_date_en</td>
|
||||
<td>
|
||||
<a href="//builds.kolibrios.org/en_US/latest-distr.7z" title="ver. $autobuild_cmtid_en_US, $autobuild_size_en_US_distr">English</a>
|
||||
<a href="//builds.kolibrios.org/ru_RU/latest-distr.7z" title="ver. $autobuild_cmtid_ru_RU, $autobuild_size_ru_RU_distr">Русский</a>
|
||||
<a href="//builds.kolibrios.org/es_ES/latest-distr.7z" title="ver. $autobuild_cmtid_es_ES, $autobuild_size_es_ES_distr">Español</a>
|
||||
</td>
|
||||
</tr>
|
||||
<tr>
|
||||
<<td width=38><img src="../i/i_uefi.png" alt="uefi"></td>
|
||||
<td class="description_cell">Image hybride UEFI/BIOS pour Flash/HDD</td>
|
||||
<td class="date_cell">$autobuild_date_en</td>
|
||||
<td>
|
||||
<a href="//builds.kolibrios.org/en_US/latest-raw.7z" title="ver. $autobuild_cmtid_en_US, $autobuild_size_en_US_raw">English</a>
|
||||
<a href="//builds.kolibrios.org/ru_RU/latest-raw.7z" title="ver. $autobuild_cmtid_ru_RU, $autobuild_size_ru_RU_raw">Русский</a>
|
||||
<a href="//builds.kolibrios.org/es_ES/latest-raw.7z" title="ver. $autobuild_cmtid_es_ES, $autobuild_size_es_ES_raw">Español</a>
|
||||
</td>
|
||||
</tr>
|
||||
<tr>
|
||||
<td><div></div></td>
|
||||
<td colspan="3">
|
||||
<button class="help-button" onclick="alert('For a beginner, the LiveCD is best.\n\nCompared to a LiveCD, the advantage of a universal image is that you can save changes made in KolibriOS.\n\nHybrid image includes support for UEFI technology, which is used to boot the system on new computers and laptops.');">Lequel choisir ?</button>
|
||||
<a href="//archive.kolibrios.org/fr/">Versions antérieures de KolibriOS</a>
|
||||
<a href="//builds.kolibrios.org/">Toutes les images</a>
|
||||
</td>
|
||||
</tr>
|
||||
</table>
|
||||
|
||||
<p>Sur cette page, vous pouvez télécharger les distributions compilées chaque nuit - incluant donc les mises à jours les plus récentes du système,
|
||||
éventuellement instables. Tous les fichiers sont compressés avec <a href='http://www.7-zip.org' target='_blank'>7zip</a>.
|
||||
KolibriOS est distribué sous licence <a href='http://www.gnu.org/licenses/gpl-2.0.html' target='_blank'>GPL v2</a> , son code source est disponible
|
||||
sur notre serveur <a href='https://git.kolibrios.org'>Git</a>.</p>
|
||||
|
||||
|
||||
<h1>Copies d'écran</h1>
|
||||
<div id="screen">
|
||||
<div id="show" onclick="next()">
|
||||
<img id='slide1' src='../i/slaid/slaid1.png' alt="KolibriOS empty desktop" class='visible'>
|
||||
<img id='slide2' src='../i/slaid/slaid2.png' alt="Demos">
|
||||
<img id='slide3' src='../i/slaid/slaid3.png' alt="File managers">
|
||||
<img id='slide4' src='../i/slaid/slaid4.png' alt="Network programs">
|
||||
<img id='slide5' src='../i/slaid/slaid5.png' alt="Games">
|
||||
<img id='slide6' src='../i/slaid/slaid6.png' alt="Developer and debug tools">
|
||||
</div>
|
||||
</div>
|
||||
|
||||
</div>
|
||||
<div id="footer">© 2004<script>document.write(" – " + new Date().getFullYear())</script> l'équipe KolibriOS</div>
|
||||
</body>
|
||||
</html>
|
64
fr/index.htm
@@ -1,64 +0,0 @@
|
||||
<!doctype html>
|
||||
<html lang="fr" onmouseup="dropdown_hide()">
|
||||
<head>
|
||||
<meta charset="utf-8">
|
||||
<title>KolibriOS - Site Officiel</title>
|
||||
<link rel="icon" type="image/x-icon" href="../favicon.ico">
|
||||
<meta name="description" content="KolibriOS - Site Officiel">
|
||||
<meta name="keywords" content="kolibri, kolibrios, колибри, колибриос, colibri, operating system, assembler, калибри, fasm, alternate, open source">
|
||||
<meta name="viewport" content="width=device-width">
|
||||
<link rel="stylesheet" type="text/css" href="../style.css">
|
||||
<script src='../script.js'></script>
|
||||
</head>
|
||||
<body onkeydown='checkkey(event)'>
|
||||
|
||||
<div id="lang-dropdown">
|
||||
<div>
|
||||
<a href='../en/index.htm'><img src='../i/fl/en.png' alt='en'/>English</a>
|
||||
<a href='../de/index.htm'><img src='../i/fl/de.png' alt='de'/>Deutsch</a>
|
||||
<a href='../es/index.htm'><img src='../i/fl/es.png' alt='es'/>Español</a>
|
||||
<font bg=#FF9800><a class='sel' href='../fr/index.htm'><img src='../i/fl/fr.png' alt='fr'/>Français</a></font>
|
||||
<a href='../it/index.htm'><img src='../i/fl/it.png' alt='it'/>Italiano</a>
|
||||
<a href='../nl/index.htm'><img src='../i/fl/nl.png' alt='nl'/>Nederlands</a>
|
||||
<a href='../ru/index.htm'><img src='../i/fl/ru.png' alt='ru'/>Русский</a>
|
||||
</div>
|
||||
</div>
|
||||
|
||||
<nav id="menu">
|
||||
<a href="../fr/index.htm" class='a'><font bg=lightblue>KolibriOS</font></a>
|
||||
<a href="../fr/download.htm" >Téléchargement</a>
|
||||
<a href="http://board.kolibrios.org">Forum</a>
|
||||
<a href="http://wiki.kolibrios.org/index.php?title=Main_Page&setlang=fr">Wiki</a>
|
||||
<a href="https://git.kolibrios.org">Git</a>
|
||||
<button onclick="dropdown_show(this)" id="l"><img src="../i/fl/fr.png" alt="fr"></button>
|
||||
</nav>
|
||||
|
||||
<div id="article" style="padding-bottom: 30px;">
|
||||
<a href="https://www.facebook.com/groups/kolibrios" target="_blank"><img id="banner" src="../i/banners/fr.png" alt="Suivez-nous sur Facebook!"></a>
|
||||
|
||||
<br>
|
||||
<p style="padding: 15px 0;">
|
||||
<strong>KolibriOS</strong> est un système d'exploitation, tout petit mais incroyablement optimisé. Du fait
|
||||
de cette optimisation, il ne nécessite que quelques megaoctets d'espace disque et seulement 8Mo de mémoire
|
||||
vive.
|
||||
Le système démarre en moins de 10 secondes sur <a href="http://www.compactpc.com.tw" target="_blank">un PC
|
||||
à 100€</a>, de l'allumage à l'affichage de l'interface graphique.
|
||||
Les applications se lancent instantanément, sans avoir à supporter de pointeur en forme de sablier.<br/>
|
||||
|
||||
<iframe style="margin:5px 0 5px 25px; float:right;" width="560" height="315" src="http://www.youtube.com/embed/XnlA4ijrTBo" frameborder="0" allowfullscreen></iframe>
|
||||
</p>
|
||||
|
||||
<p>Ces performances sont atteintes grâce à l'écriture du coeur de <b>KolibriOS</b> (noyau et pilotes) en
|
||||
langage assembleur <a href="http://www.flatassembler.net" target="_blank">FASM</a>.</p>
|
||||
<br/>
|
||||
<p><b>KolibriOS</b> propose de nombreuses applications, dont un traitement de textes, un afficheur d'images, un éditeur d'images, un navigateur Web... et plus de 30 jeux. Les systèmes de fichiers FAT12/16/32 sont supportés en lecture/écriture ; NTFS, ISO9660, Ext2/3/4 le sont en lecture seule. Enfin des <a href="http://wiki.kolibrios.org/wiki/Hardware_Support">pilotes</a> ont été écrits pour les cartes vidéo, son et réseau les plus courantes. </p>
|
||||
<br/>
|
||||
<p><b>KolibriOS</b> a été lancé en 2004 basé sur le code de MenuetOS; depuis lors il est développé en toute indépendance. Tout le code est libre, publié en majorité sous licence
|
||||
<a href="http://www.gnu.org/licenses/gpl-2.0.html" target="_blank">GPL v2</a>. </p>
|
||||
<br/>
|
||||
<p>Essayez <strong>KolibriOS</strong> et comparez le avec les poids lourds que sont Windows et Linux.<br/>
|
||||
Vos <a href="http://board.kolibrios.org">réactions</a> seront très appréciées, et votre
|
||||
<a href="http://wiki.kolibrios.org/wiki/Kolibri_tomorrow">soutien</a> encore davantage.</p>
|
||||
</div>
|
||||
<div id="footer">© 2004<script>document.write(" – " + new Date().getFullYear())</script> l'équipe KolibriOS</div></body>
|
||||
</html>
|
Before Width: | Height: | Size: 16 KiB |
BIN
i/banners/en.png
Before Width: | Height: | Size: 41 KiB |
BIN
i/banners/es.png
Before Width: | Height: | Size: 26 KiB |
BIN
i/banners/fr.png
Before Width: | Height: | Size: 50 KiB |
BIN
i/banners/it.png
Before Width: | Height: | Size: 232 KiB |
BIN
i/banners/ru.png
Before Width: | Height: | Size: 472 KiB |
BIN
i/fl/24/de.png
Before Width: | Height: | Size: 398 B |
BIN
i/fl/24/en.png
Before Width: | Height: | Size: 499 B |
BIN
i/fl/24/ru.png
Before Width: | Height: | Size: 358 B |
BIN
i/fl/24/un.png
Before Width: | Height: | Size: 813 B |
BIN
i/logo.png
Before Width: | Height: | Size: 9.7 KiB |
Before Width: | Height: | Size: 56 KiB |
Before Width: | Height: | Size: 47 KiB |
Before Width: | Height: | Size: 18 KiB |
Before Width: | Height: | Size: 5.2 KiB |
Before Width: | Height: | Size: 137 KiB |
Before Width: | Height: | Size: 19 KiB |
Before Width: | Height: | Size: 81 B |
Before Width: | Height: | Size: 84 B |
Before Width: | Height: | Size: 31 KiB |
@@ -1,110 +0,0 @@
|
||||
<!doctype html>
|
||||
<html lang="it" onmouseup="dropdown_hide()">
|
||||
<head>
|
||||
<meta charset="utf-8">
|
||||
<title>KolibriOS Downloads</title>
|
||||
<link rel="icon" type="image/x-icon" href="../favicon.ico">
|
||||
<meta name="description" content="KolibriOS Downloads">
|
||||
<meta name="keywords" content="kolibri, kolibrios, колибри, колибриос, colibri, operating system, assembler, калибри, fasm, alternate, open source">
|
||||
<meta name="viewport" content="width=device-width">
|
||||
<link rel="stylesheet" type="text/css" href="../style.css">
|
||||
<script src='../script.js'></script>
|
||||
</head>
|
||||
<body onkeydown='checkkey(event)'>
|
||||
|
||||
<div id="lang-dropdown">
|
||||
<div>
|
||||
<a href='../en/download.htm'><img src='../i/fl/en.png' alt='en'/>English</a>
|
||||
<a href='../de/download.htm'><img src='../i/fl/de.png' alt='de'/>Deutsch</a>
|
||||
<a href='../es/download.htm'><img src='../i/fl/es.png' alt='es'/>Español</a>
|
||||
<a href='../fr/download.htm'><img src='../i/fl/fr.png' alt='fr'/>Français</a>
|
||||
<font bg=#FF9800><a class='sel' href='../it/download.htm'><img src='../i/fl/it.png' alt='it'/>Italiano</a></font>
|
||||
<a href='../nl/download.htm'><img src='../i/fl/nl.png' alt='nl'/>Nederlands</a>
|
||||
<a href='../ru/download.htm'><img src='../i/fl/ru.png' alt='ru'/>Русский</a>
|
||||
</div>
|
||||
</div>
|
||||
|
||||
<nav id="menu">
|
||||
<a href="../it/index.htm" >KolibriOS</a>
|
||||
<a href="../it/download.htm" class='a'><font bg=lightblue>Download</font></a>
|
||||
<a href="http://board.kolibrios.org">Forum</a>
|
||||
<a href="http://wiki.kolibrios.org/index.php?title=Main_Page&setlang=it">Wiki</a>
|
||||
<a href="https://git.kolibrios.org">Git</a>
|
||||
<button onclick="dropdown_show(this)" id="l"><img src="../i/fl/it.png" alt="it"></button>
|
||||
</nav>
|
||||
|
||||
<div id="article" class="download">
|
||||
<h1>KolibriOS Downloads</h1>
|
||||
<table>
|
||||
<tr>
|
||||
<td width=38><img src="../i/i_floppy.png" alt="floppy"></td>
|
||||
<td class="description_cell">Immagine del floppy disk</td>
|
||||
<td class="date_cell">$autobuild_date_en</td>
|
||||
<td>
|
||||
<a href="//builds.kolibrios.org/en_US/latest-img.7z" title="ver. $autobuild_cmtid_en_US, $autobuild_size_en_US_img">English</a>
|
||||
<a href="//builds.kolibrios.org/ru_RU/latest-img.7z" title="ver. $autobuild_cmtid_ru_RU, $autobuild_size_ru_RU_img">Русский</a>
|
||||
<a href="//builds.kolibrios.org/es_ES/latest-img.7z" title="ver. $autobuild_cmtid_es_ES, $autobuild_size_es_ES_img">Español</a>
|
||||
</td>
|
||||
</tr>
|
||||
<tr>
|
||||
<td width=38><img src="../i/i_cd.png" alt="cd"></td>
|
||||
<td class="description_cell">Immagine CD live</td>
|
||||
<td class="date_cell">$autobuild_date_en</td>
|
||||
<td>
|
||||
<a href="//builds.kolibrios.org/en_US/latest-iso.7z" title="ver. $autobuild_cmtid_en_US, $autobuild_size_en_US_iso">English</a>
|
||||
<a href="//builds.kolibrios.org/ru_RU/latest-iso.7z" title="ver. $autobuild_cmtid_ru_RU, $autobuild_size_ru_RU_iso">Русский</a>
|
||||
<a href="//builds.kolibrios.org/es_ES/latest-iso.7z" title="ver. $autobuild_cmtid_es_ES, $autobuild_size_es_ES_iso">Español</a>
|
||||
</td>
|
||||
</tr>
|
||||
<tr>
|
||||
<td width=38><img src="../i/i_uni.png" alt="universal"></td>
|
||||
<td class="description_cell">Immagine universale Flash/HDD</td>
|
||||
<td class="date_cell">$autobuild_date_en</td>
|
||||
<td>
|
||||
<a href="//builds.kolibrios.org/en_US/latest-distr.7z" title="ver. $autobuild_cmtid_en_US, $autobuild_size_en_US_distr">English</a>
|
||||
<a href="//builds.kolibrios.org/ru_RU/latest-distr.7z" title="ver. $autobuild_cmtid_ru_RU, $autobuild_size_ru_RU_distr">Русский</a>
|
||||
<a href="//builds.kolibrios.org/es_ES/latest-distr.7z" title="ver. $autobuild_cmtid_es_ES, $autobuild_size_es_ES_distr">Español</a>
|
||||
</td>
|
||||
</tr>
|
||||
<tr>
|
||||
<td width=38><img src="../i/i_uefi.png" alt="uefi"></td>
|
||||
<td class="description_cell"><span class="beta">Immagine ibrida UEFI/BIOS per Flash/HDD</span></td>
|
||||
<td class="date_cell">$autobuild_date_en</td>
|
||||
<td>
|
||||
<a href="//builds.kolibrios.org/en_US/latest-raw.7z" title="ver. $autobuild_cmtid_en_US, $autobuild_size_en_US_raw">English</a>
|
||||
<a href="//builds.kolibrios.org/ru_RU/latest-raw.7z" title="ver. $autobuild_cmtid_ru_RU, $autobuild_size_ru_RU_raw">Русский</a>
|
||||
<a href="//builds.kolibrios.org/es_ES/latest-raw.7z" title="ver. $autobuild_cmtid_es_ES, $autobuild_size_es_ES_raw">Español</a>
|
||||
</td>
|
||||
</tr>
|
||||
<tr>
|
||||
<td><div></div></td>
|
||||
<td colspan="3">
|
||||
<button class="help-button" onclick="alert('For a beginner, the LiveCD is best.\n\nCompared to a LiveCD, the advantage of a universal image is that you can save changes made in KolibriOS.\n\nHybrid image includes support for UEFI technology, which is used to boot the system on new computers and laptops. Beta version.');">Quale scegliere?</button>
|
||||
<a href="//archive.kolibrios.org/it_IT/">Versioni precedenti di KolibriOS</a>
|
||||
<a href="//builds.kolibrios.org/">Tutte le immagini</a>
|
||||
</td>
|
||||
</tr>
|
||||
</table>
|
||||
|
||||
|
||||
<h1>Screenshot</h1>
|
||||
<div id="screen">
|
||||
<div id="show" onclick="next()">
|
||||
<img id='slide1' src='../i/slaid/slaid1.png' alt="KolibriOS empty desktop" class='visible'>
|
||||
<img id='slide2' src='../i/slaid/slaid2.png' alt="Demos">
|
||||
<img id='slide3' src='../i/slaid/slaid3.png' alt="File managers">
|
||||
<img id='slide4' src='../i/slaid/slaid4.png' alt="Network programs">
|
||||
<img id='slide5' src='../i/slaid/slaid5.png' alt="Games">
|
||||
<img id='slide6' src='../i/slaid/slaid6.png' alt="Developer and debug tools">
|
||||
</div>
|
||||
</div>
|
||||
|
||||
<p>Da questa pagina è possibile scaricare le nightly builds di KolibriOS. Si tratta delle ultime versioni disponibili e contengono i cambiamenti più
|
||||
recenti, per questo motivo possono risultare instabili. Tutti i file sono compressi con <a href='http://www.7-zip.org' target='_blank'>7-zip</a>.
|
||||
KolibriOS è un sistema operativo distributio sotto la licenza <a href='http://www.gnu.org/licenses/gpl-2.0.html' target='_blank'>GPLv2</a>,
|
||||
il codice è disponibile sul <a href='https://git.kolibrios.org'>server Git</a>.</p>
|
||||
|
||||
</div>
|
||||
<div id="footer">© 2004<script>document.write(" – " + new Date().getFullYear())</script> Il team di KolibriOS</div>
|
||||
</body>
|
||||
</html>
|
50
it/index.htm
@@ -1,50 +0,0 @@
|
||||
<!doctype html>
|
||||
<html lang="it" onmouseup="dropdown_hide()">
|
||||
<head>
|
||||
<meta charset="utf-8">
|
||||
<title>KolibriOS official site</title>
|
||||
<link rel="icon" type="image/x-icon" href="../favicon.ico">
|
||||
<meta name="description" content="KolibriOS official site">
|
||||
<meta name="keywords" content="kolibri, kolibrios, колибри, колибриос, colibri, operating system, assembler, калибри, fasm, alternate, open source">
|
||||
<meta name="viewport" content="width=device-width">
|
||||
<link rel="stylesheet" type="text/css" href="../style.css">
|
||||
<script src='../script.js'></script>
|
||||
</head>
|
||||
<body onkeydown='checkkey(event)'>
|
||||
|
||||
<div id="lang-dropdown">
|
||||
<div>
|
||||
<a href='../en/index.htm'><img src='../i/fl/en.png' alt='en'/>English</a>
|
||||
<a href='../de/index.htm'><img src='../i/fl/de.png' alt='de'/>Deutsch</a>
|
||||
<a href='../es/index.htm'><img src='../i/fl/es.png' alt='es'/>Español</a>
|
||||
<a href='../fr/index.htm'><img src='../i/fl/fr.png' alt='fr'/>Français</a>
|
||||
<font bg=#FF9800><a class='sel' href='../it/index.htm'><img src='../i/fl/it.png' alt='it'/>Italiano</a></font>
|
||||
<a href='../nl/index.htm'><img src='../i/fl/nl.png' alt='nl'/>Nederlands</a>
|
||||
<a href='../ru/index.htm'><img src='../i/fl/ru.png' alt='ru'/>Русский</a>
|
||||
</div>
|
||||
</div>
|
||||
|
||||
<nav id="menu">
|
||||
<a href="../it/index.htm" class='a'><font bg=lightblue>KolibriOS</font></a>
|
||||
<a href="../it/download.htm" >Download</a>
|
||||
<a href="http://board.kolibrios.org">Forum</a>
|
||||
<a href="http://wiki.kolibrios.org/index.php?title=Main_Page&setlang=it">Wiki</a>
|
||||
<a href="https://git.kolibrios.org">Git</a>
|
||||
<button onclick="dropdown_show(this)" id="l"><img src="../i/fl/it.png" alt="it"></button>
|
||||
</nav>
|
||||
|
||||
<div id="article" style="padding-bottom: 30px;">
|
||||
|
||||
<a href="https://www.facebook.com/groups/kolibrios" target="_blank"><img id="banner" src="../i/banners/en.png" alt="We got closer. Follow us on Facebook!"></a>
|
||||
|
||||
<br>
|
||||
<p><strong>KolibriOS</strong> è un sistema operativo incredibilmente leggero e performante. Richiede solamente pochi megabyte di spazio sul disco e 8MB di RAM per poter essere utilizzato. Il sistema operativo <b>KolibriOS</b> è corredato di diversi <a href="http://wiki.kolibrios.org/wiki/Applications">programmi</a>, tra questi vi sono un word processor, visualizzatore di immagini, editor grafici, un browser web e oltre 30 giochi. È implementato il pieno supporto ai filesystem FAT12/16/32, ed è inoltre possibile leggere i filesystem NTFS, ISO9660 e Ext2/3/4. Alla <a href="http://wiki.kolibrios.org/wiki/Hardware_Support">seguente pagina</a> è possibile verificare quali schede di rete, audio e video sono attualmente supportate.</p>
|
||||
|
||||
<iframe style="margin:5px 0 5px 25px; float:right;" width="560" height="315" src="http://www.youtube.com/embed/XnlA4ijrTBo" frameborder="0" allowfullscreen></iframe>
|
||||
|
||||
<p style="padding: 15px 0;">Avete mai desiderato di avere un sistema in grado di avviarsi da spento in meno di 10 secondi, su un <a href="http://www.compactpc.com.tw" target="_blank">computer dal costo di 100$</a>? Avere un sistem fluido, senza tempi di attesa per l'esecuzione di un programma? Tali prestazioni sono state ottenute scrivendo le parti centrali di <b>KolibriOS</b> (kernel e driver), direttamente in <a href="http://www.flatassembler.net" target="_blank">FASM</a>, un linguaggio assembly! Provare KolibriOS non costa nulla, ed è leggerissimo in confronto a Windows o ai sistemi GNU/Linux.</p>
|
||||
|
||||
<p><b>KolibriOS</b> nasce come fork di MenuetOS nel 2004, e il suo sviluppo è del tutto indipendente. Tutto il codice sorgente è liberamente disponibile, la maggior parte è rilasciato con la licenza <a href="http://www.gnu.org/licenses/gpl-2.0.html" target="_blank">GPLv2</a>. Eventuali <a href="http://board.kolibrios.org">commenti</a> sono ben accetti, come anche l'<a href="http://wiki.kolibrios.org/wiki/Kolibri_tomorrow">aiuto</a> di chi si vuole offrire volontario.</p>
|
||||
</div>
|
||||
<div id="footer">© 2004<script>document.write(" – " + new Date().getFullYear())</script> Il team di KolibriOS</div></body>
|
||||
</html>
|
82
locales/de.ini
Normal file
@@ -0,0 +1,82 @@
|
||||
[title]
|
||||
language = Deutsch
|
||||
index = KolibriOS
|
||||
download = KolibriOS - Herunterladen
|
||||
|
||||
[header]
|
||||
index = KolibriOS offizielle seite
|
||||
download = KolibriOS Herunterladen
|
||||
|
||||
[menu]
|
||||
kolibrios = KolibriOS
|
||||
download = Herunterladen
|
||||
forum = Forum
|
||||
wiki = Wiki
|
||||
git = Git
|
||||
|
||||
[git]
|
||||
header = KolibriOS ist zu Git gewechselt!
|
||||
text = Schau dir unsere neue entwicklerfreundliche Infrastruktur an
|
||||
|
||||
[article]
|
||||
p1 = {kolibrios} ist ein winziges, aber unglaublich leistungsfähiges und schnelles
|
||||
Betriebssystem für x86-kompatible PCs. Es benötigt nur wenige Megabyte Speicherplatz,
|
||||
einen i586-Prozessor und 12 MB RAM. Trotz seiner geringen Größe enthält es eine
|
||||
Vielzahl von Anwendungen wie einen Texteditor, einen Bildbetrachter, einen
|
||||
Grafikeditor, einen Webbrowser und über 30 spannende Spiele. Es bietet vollständige
|
||||
Unterstützung für die Dateisysteme FAT12/16/32, ermöglicht Lesezugriff auf NTFS,
|
||||
exFAT, ISO9660 und Ext2/3/4 sowie eine umfangreiche Sammlung von {drivers} für gängige Sound-, Netzwerk- und Grafikkarten.
|
||||
drivers = Treibern
|
||||
|
||||
p2 = Haben Sie schon einmal von einem System geträumt, das in weniger als wenigen
|
||||
Sekunden vom Einschalten bis zu einer funktionierenden GUI bootet? Anwendungen, die
|
||||
sofort starten, direkt nach dem Klicken auf ein Symbol, ohne lästige Sanduhrzeiger?
|
||||
Diese Geschwindigkeit wird erreicht, da die Kernkomponenten von {kolibrios} (Kernel und Treiber) vollständig in der Assemblersprache {fasm} geschrieben sind. Probieren Sie {kolibrios} aus und vergleichen Sie es mit Schwergewichten wie Windows und Linux.
|
||||
|
||||
p3 = {kolibrios} hat sich 2004 von MenuetOS abgespalten und wird seitdem unabhängig
|
||||
entwickelt. Ihr {feedback} wird sehr geschätzt, und Ihre {help} ist noch mehr
|
||||
willkommen.
|
||||
feedback = Rückmeldung
|
||||
help = Hilfe
|
||||
|
||||
p_subscription = Wir hoffen, es gefällt Ihnen!
|
||||
|
||||
[downloads]
|
||||
header = Herunterladen
|
||||
|
||||
img-descr = Disketten-Image
|
||||
iso-descr = LiveCD-Abbild
|
||||
distr-descr = Universal Flash/Multi-Boot-Abbild
|
||||
raw-descr = Hybrides UEFI/BIOS-Abbild
|
||||
|
||||
prev_rev = Frühere Versionen
|
||||
all_rev = Alle nächtlichen Builds
|
||||
|
||||
screenshots = Bildschirmfotos
|
||||
|
||||
download_choice = Was soll ich wählen?
|
||||
download_help = Für einen Einsteiger ist die LiveCD am besten geeignet.\n\
|
||||
\n\
|
||||
Im Vergleich zu einer LiveCD hat ein universelles Image den Vorteil, dass Sie die in KolibriOS vorgenommenen Änderungen speichern können.\n\
|
||||
\n\
|
||||
Das Hybrid-Image enthält Unterstützung für die UEFI-Technologie, die zum Booten des Systems auf neuen Computern und Laptops verwendet wird.
|
||||
|
||||
download_description = Auf dieser Seite können Sie die nächtlichen Build-Distributionen
|
||||
herunterladen, was bedeutet, dass sie stets die neuesten Änderungen am System
|
||||
enthalten und daher instabil sein können. Alle Dateien sind mit {zip} komprimiert.
|
||||
{kolibrios} wird unter der {gpl}-Lizenz vertrieben, und der Quellcode ist auf unserem
|
||||
{git} verfügbar.
|
||||
git-server = Git-Server
|
||||
|
||||
[screenshots]
|
||||
header = Bildschirmfotos
|
||||
|
||||
1 = KolibriOS Arbeitsoberfläche
|
||||
2 = Demos
|
||||
3 = Datei-Manager
|
||||
4 = Netzwerk-Programme
|
||||
5 = Spiele
|
||||
6 = Entwickler- und Debug-Tools
|
||||
|
||||
[footer]
|
||||
team = KolibriOS-Team
|
80
locales/en.ini
Normal file
@@ -0,0 +1,80 @@
|
||||
[title]
|
||||
language = English
|
||||
index = KolibriOS
|
||||
download = KolibriOS - Download
|
||||
|
||||
[header]
|
||||
index = KolibriOS official site
|
||||
download = KolibriOS downloads
|
||||
|
||||
[menu]
|
||||
kolibrios = KolibriOS
|
||||
download = Download
|
||||
forum = Forum
|
||||
wiki = Wiki
|
||||
git = Git
|
||||
|
||||
[git]
|
||||
header = KolibriOS moved to Git!
|
||||
text = Check our new developers-friendly infrastructure
|
||||
|
||||
[article]
|
||||
p1 = {kolibrios} is a tiny yet incredibly powerful and fast operating system for
|
||||
x86-compatible PCs. It requires only a few megabytes of disk space, an i586
|
||||
processor, and 12 MB of RAM to run. Despite its small size, it includes a rich set of
|
||||
applications such as a text editor, image viewer, graphic editor, web browser, and
|
||||
over 30 exciting games. It offers full support for FAT12/16/32 file systems,
|
||||
read-only access to NTFS, exFAT, ISO9660, and Ext2/3/4, and an extensive set of
|
||||
{drivers} for popular sound, network, and graphics cards.
|
||||
drivers = drivers
|
||||
|
||||
p2 = Have you ever dreamed of a system that boots in less than few seconds from power-on
|
||||
to working GUI? About applications that start instantly, immediately after clicking
|
||||
an icon, without annoying hourglass pointers? This speed is achieved since the core
|
||||
parts of {kolibrios} (kernel and drivers) are written entirely in {fasm} assembly
|
||||
language. Try {kolibrios} and compare it with such heavyweights as Windows and Linux.
|
||||
|
||||
p3 = {kolibrios} has forked off from MenuetOS in 2004, and is run under independent
|
||||
development since then. Your {feedback} is very much appreciated, and your {help} is
|
||||
even more welcome.
|
||||
feedback = feedback
|
||||
help = help
|
||||
|
||||
p_subscription = We hope you will enjoy it!
|
||||
|
||||
[downloads]
|
||||
header = Downloads
|
||||
|
||||
img-descr = Floppy disk image
|
||||
iso-descr = LiveCD image
|
||||
distr-descr = Universal Flash/Multi-boot image
|
||||
raw-descr = Hybrid UEFI/BIOS image
|
||||
|
||||
prev_rev = Previous releases
|
||||
all_rev = All nightly builds
|
||||
|
||||
download_choice = Which to choose?
|
||||
download_help = For a beginner, the LiveCD is best.\n\
|
||||
\n\
|
||||
Compared to a LiveCD, the advantage of a universal image is that you can save changes made in KolibriOS.\n\
|
||||
\n\
|
||||
Hybrid image includes support for UEFI technology, which is used to boot the system on new computers and laptops.
|
||||
|
||||
download_description = On this page you can download the nightly builds distribution,
|
||||
which means that they always contain the most recent changes in the system and can,
|
||||
therefore, be unstable. All files are compressed with {zip}. {kolibrios} is
|
||||
distributed under {gpl} license, its source code is available on our {git}.
|
||||
git-server = Git server
|
||||
|
||||
[screenshots]
|
||||
header = Screenshots
|
||||
|
||||
1 = KolibriOS desktop
|
||||
2 = Demos
|
||||
3 = File managers
|
||||
4 = Network programs
|
||||
5 = Games
|
||||
6 = Developer and debug tools
|
||||
|
||||
[footer]
|
||||
team = KolibriOS Team
|
77
locales/es.ini
Normal file
@@ -0,0 +1,77 @@
|
||||
[title]
|
||||
language = Español
|
||||
index = KolibriOS
|
||||
download = KolibriOS - Descargar
|
||||
|
||||
[header]
|
||||
index = Sitio oficial de KolibriOS
|
||||
download = KolibriOS Descargar
|
||||
|
||||
[menu]
|
||||
kolibrios = KolibriOS
|
||||
download = Descargar
|
||||
forum = Foro
|
||||
wiki = Wiki
|
||||
git = Git
|
||||
|
||||
[git]
|
||||
header = ¡KolibriOS se ha trasladado a Git!
|
||||
text = Mira nuestra nueva infraestructura amigable para desarrolladores
|
||||
|
||||
[article]
|
||||
p1 = {kolibrios} es un sistema operativo diminuto, pero increíblemente potente y rápido
|
||||
para PCs compatibles con x86. Solo necesita unos pocos megabytes de espacio en disco,
|
||||
un procesador i586 y 12 MB de memoria RAM. A pesar de su tamaño reducido, incluye un
|
||||
conjunto completo de aplicaciones como un editor de texto, visor de imágenes, editor
|
||||
gráfico, navegador web y más de 30 juegos emocionantes. Ofrece soporte completo para
|
||||
los sistemas de archivos FAT12/16/32, acceso de solo lectura a NTFS, exFAT, ISO9660 y
|
||||
Ext2/3/4, y dispone de un extenso conjunto de {drivers} para populares tarjetas de
|
||||
sonido, red y gráficas.
|
||||
drivers = controladores
|
||||
|
||||
p2 = ¿Alguna vez has soñado con un sistema que arranca en menos de unos segundos, desde el encendido hasta una GUI operativa? ¿Con aplicaciones que se inician al instante, inmediatamente después de hacer clic en un icono, sin esos molestos punteros de reloj de arena? Esta velocidad se logra porque las partes fundamentales de {kolibrios} (núcleo y controladores) están escritas completamente en lenguaje ensamblador {fasm}. Prueba {kolibrios} y compáralo con pesos pesados como Windows y Linux.
|
||||
|
||||
p3 = {kolibrios} separó de MenuetOS en 2004 y ha estado en desarrollo independiente desde
|
||||
entonces. Se agradece enormemente tu {feedback}, y tu {help} es aún más bienvenida.
|
||||
feedback = retroalimentación
|
||||
help = ayuda
|
||||
|
||||
p_subscription = ¡Esperamos que lo disfrutes!
|
||||
|
||||
[downloads]
|
||||
header = Descargas
|
||||
|
||||
img-descr = Imagen de disquete
|
||||
iso-descr = Imagen LiveCD
|
||||
distr-descr = Imagen Flash Universal/Multi-boot
|
||||
raw-descr = Imagen híbrida UEFI/BIOS
|
||||
|
||||
prev_rev = Ediciones anteriores
|
||||
all_rev = Todos los montajes nocturnos
|
||||
|
||||
download_choice = ¿Cuál elegir?
|
||||
download_help = Para un principiante, el LiveCD es lo mejor.\n\
|
||||
\n\
|
||||
En comparación con un LiveCD, la ventaja de una imagen universal es que puedes guardar los cambios realizados en KolibriOS.\n\
|
||||
\n\
|
||||
Imagen híbrida incluye soporte para la tecnología UEFI, que se utiliza para arrancar el sistema en los nuevos ordenadores y portátiles.
|
||||
|
||||
download_description = En esta página puedes descargar la distribución de compilaciones
|
||||
nocturnas, lo que significa que siempre contienen los cambios más recientes en el
|
||||
sistema y, por lo tanto, pueden ser inestables. Todos los archivos están comprimidos
|
||||
con {zip}. {kolibrios} se distribuye bajo la licencia {gpl} y su código fuente está
|
||||
disponible en nuestro {git}.
|
||||
git-server = servidor Git
|
||||
|
||||
[screenshots]
|
||||
header = Pantallas
|
||||
|
||||
1 = Escritorio KolibriOS
|
||||
2 = Demos
|
||||
3 = Gestores de archivos
|
||||
4 = Programas de red
|
||||
5 = Juegos
|
||||
6 = Herramientas de desarrollo y depuración
|
||||
|
||||
[footer]
|
||||
team = Equipo KolibriOS
|
80
locales/fr.ini
Normal file
@@ -0,0 +1,80 @@
|
||||
[title]
|
||||
language = Français
|
||||
index = KolibriOS
|
||||
download = KolibriOS - Télécharger
|
||||
|
||||
[header]
|
||||
index = Site officiel de KolibriOS
|
||||
download = KolibriOS Téléchargements
|
||||
|
||||
[menu]
|
||||
kolibrios = KolibriOS
|
||||
download = Télécharger
|
||||
forum = Forum
|
||||
wiki = Wiki
|
||||
git = Git
|
||||
|
||||
[git]
|
||||
header = KolibriOS a déménagé sur Git !
|
||||
text = Découvrez notre nouvelle infrastructure conviviale pour les développeurs
|
||||
|
||||
[article]
|
||||
p1 = {kolibrios} est un système d`exploitation minuscule, mais incroyablement puissant et
|
||||
rapide, pour les PC compatibles x86. Il nécessite seulement quelques mégaoctets
|
||||
d`espace disque, un processeur i586 et 12 Mo de RAM. Malgré sa petite taille, il
|
||||
comprend une large gamme d`applications telles qu`un éditeur de texte, un visionneur
|
||||
d`images, un éditeur graphique, un navigateur web, et plus de 30 jeux captivants. Il
|
||||
prend en charge pleinement les systèmes de fichiers FAT12/16/32, permet la lecture
|
||||
seule de NTFS, exFAT, ISO9660 et Ext2/3/4, et offre un vaste ensemble de {drivers}
|
||||
pour les cartes son, réseau et graphiques populaires.
|
||||
drivers = pilotes
|
||||
|
||||
p2 = Avez-vous déjà rêvé d`un système qui démarre en quelques secondes, de la mise sous
|
||||
tension jusqu`à une interface graphique opérationnelle ? Des applications qui se
|
||||
lancent instantanément, immédiatement après avoir cliqué sur une icône, sans ces
|
||||
pointeurs sabliers agaçants ? Cette rapidité est obtenue car les parties essentielles
|
||||
de {kolibrios} (noyau et pilotes) sont entièrement écrites en langage assembleur
|
||||
{fasm}. Essayez {kolibrios} et comparez-le à des poids lourds tels que Windows et
|
||||
Linux.
|
||||
|
||||
p3 = {kolibrios} s`est séparé de MenuetOS en 2004 et est développé de manière
|
||||
indépendante depuis lors. Vos {feedback} sont grandement appréciés, et votre {help}
|
||||
est encore plus bienvenue.
|
||||
feedback = retours
|
||||
help = aide
|
||||
|
||||
p_subscription = Nous espérons que vous l`apprécierez !
|
||||
|
||||
[downloads]
|
||||
header = Téléchargements
|
||||
|
||||
img-descr = Image de la disquette
|
||||
iso-descr = Image du LiveCD
|
||||
distr-descr = Image Universal Flash/Multi-boot
|
||||
raw-descr = Image hybride UEFI/BIOS
|
||||
|
||||
prev_rev = Communiqués précédents
|
||||
all_rev = Toutes les constructions nocturnes
|
||||
|
||||
download_choice = Que choisir ?
|
||||
download_help = Pour un débutant, le LiveCD est le meilleur.\n\
|
||||
\n\
|
||||
Par rapport à un LiveCD, l`avantage d`une image universelle est que vous pouvez sauvegarder les changements effectués dans KolibriOS.\n\
|
||||
\n\
|
||||
L`image hybride inclut le support de la technologie UEFI, qui est utilisée pour démarrer le système sur les nouveaux ordinateurs et portables.
|
||||
|
||||
download_description = Sur cette page, vous pouvez télécharger la distribution des builds nocturnes, ce qui signifie qu`ils contiennent toujours les modifications les plus récentes du système et peuvent donc être instables. Tous les fichiers sont compressés avec {zip}. {kolibrios} est distribué sous licence {gpl} et son code source est disponible sur notre {git}.
|
||||
git-server = serveur Git
|
||||
|
||||
[screenshots]
|
||||
header = Captures d`écran
|
||||
|
||||
1 = Bureau KolibriOS
|
||||
2 = Démos
|
||||
3 = Gestionnaires de fichiers
|
||||
4 = Programmes réseau
|
||||
5 = Jeux
|
||||
6 = Outils de développement et de débogage
|
||||
|
||||
[footer]
|
||||
team = L`équipe de KolibriOS
|
76
locales/it.ini
Normal file
@@ -0,0 +1,76 @@
|
||||
[title]
|
||||
language = Italiano
|
||||
index = KolibriOS
|
||||
download = KolibriOS - Scaricare
|
||||
|
||||
[header]
|
||||
index = Sito ufficiale KolibriOS
|
||||
download = KolibriOS Scaricamento
|
||||
|
||||
[menu]
|
||||
kolibrios = KolibriOS
|
||||
download = Scaricare
|
||||
forum = Forum
|
||||
wiki = Wiki
|
||||
git = Git
|
||||
|
||||
[git]
|
||||
header = KolibriOS si è spostato su Git!
|
||||
text = Dai un`occhiata alla nostra nuova infrastruttura pensata per gli sviluppatori
|
||||
|
||||
[article]
|
||||
p1 = {kolibrios} è un sistema operativo minuscolo, ma incredibilmente potente e veloce,
|
||||
per PC compatibili con x86. Per funzionare richiede solo pochi megabyte di spazio su
|
||||
disco, un processore i586 e 12 MB di RAM. Nonostante le dimensioni ridotte, include
|
||||
un ricco set di applicazioni come editor di testo, visualizzatore di immagini, editor
|
||||
grafico, browser web e oltre 30 giochi entusiasmanti. Supporta completamente i file
|
||||
system FAT12/16/32, e permette la lettura di NTFS, exFAT, ISO9660 ed Ext2/3/4, oltre
|
||||
a offrire un ampio set di {drivers} per schede audio, di rete e grafiche più diffuse.
|
||||
drivers = driver
|
||||
|
||||
p2 = Hai mai sognato un sistema che si avvia in pochi secondi, dall`accensione fino a una GUI funzionante? Applicazioni che partono immediatamente, subito dopo aver cliccato su un`icona, senza quei fastidiosi cursori a clessidra? Questa velocità si ottiene poiché le parti fondamentali di {kolibrios} (kernel e driver) sono scritte interamente in linguaggio assembly {fasm}. Prova {kolibrios} e confrontalo con colossi come Windows e Linux.
|
||||
|
||||
p3 = {kolibrios} si è staccato da MenuetOS nel 2004 ed è in sviluppo indipendente da
|
||||
allora. Il tuo {feedback} è molto apprezzato, e il tuo {help} è ancora più benvenuto.
|
||||
feedback = recensioni
|
||||
help = aiuto
|
||||
|
||||
p_subscription = Ci auguriamo che vi piaccia!
|
||||
|
||||
[downloads]
|
||||
header = Scaricamento
|
||||
|
||||
img-descr = Immagine su dischetto
|
||||
iso-descr = Immagine LiveCD
|
||||
distr-descr = Immagine universale Flash/MultiBoot
|
||||
raw-descr = Immagine ibrida UEFI/BIOS
|
||||
|
||||
prev_rev = Uscite precedenti
|
||||
all_rev = Tutte le build notturne
|
||||
|
||||
download_choice = Quale scegliere?
|
||||
download_help = Per un principiante, il LiveCD è la soluzione migliore.\n\
|
||||
\n\
|
||||
Rispetto a un LiveCD, il vantaggio di un`immagine universale è che è possibile salvare le modifiche apportate in KolibriOS.\n\
|
||||
\n\
|
||||
L`immagine ibrida include il supporto per la tecnologia UEFI, utilizzata per avviare il sistema su nuovi computer e portatili.
|
||||
|
||||
download_description = In questa pagina puoi scaricare la distribuzione delle build
|
||||
notturne, il che significa che contengono sempre le modifiche più recenti del sistema
|
||||
e, pertanto, possono essere instabili. Tutti i file sono compressi con {zip}.
|
||||
{kolibrios} viene distribuito sotto licenza {gpl} e il suo codice sorgente è
|
||||
disponibile sul nostro {git}.
|
||||
git-server = server Git
|
||||
|
||||
[screenshots]
|
||||
header = Captures d`écran
|
||||
|
||||
1 = Il desktop di KolibriOS
|
||||
2 = Demo
|
||||
3 = Gestori di file
|
||||
4 = Programmi di rete
|
||||
5 = Giochi
|
||||
6 = Strumenti per sviluppatori e debug
|
||||
|
||||
[footer]
|
||||
team = Squadra KolibriOS
|
81
locales/nl.ini
Normal file
@@ -0,0 +1,81 @@
|
||||
[title]
|
||||
language = Nederlands
|
||||
index = KolibriOS
|
||||
download = KolibriOS - Downloaden
|
||||
|
||||
[header]
|
||||
index = KolibriOS officiële site
|
||||
download = KolibriOS Downloads
|
||||
|
||||
[menu]
|
||||
kolibrios = KolibriOS
|
||||
download = Downloaden
|
||||
forum = Forum
|
||||
wiki = Wiki
|
||||
git = Git
|
||||
|
||||
[git]
|
||||
header = KolibriOS is verhuisd naar Git!
|
||||
text = Bekijk onze nieuwe, ontwikkelaarsvriendelijke infrastructuur
|
||||
|
||||
[article]
|
||||
p1 = {kolibrios} is een klein maar ongelooflijk krachtig en snel besturingssysteem voor
|
||||
x86-compatibele PC`s. Het heeft slechts enkele megabytes aan schijfruimte, een
|
||||
i586-processor en 12 MB RAM. Maar beschikt over een rijk scala aan toepassingen,
|
||||
waaronder een tekstverwerker, afbeeldingsviewer, grafische editor, webbrowser en meer
|
||||
dan 30 spannende games. Het biedt volledige ondersteuning voor de bestandssystemen
|
||||
FAT12/16/32, en heeft ook leesondersteuning voor NTFS, exFAT, ISO9660 en Ext2/3/4, en
|
||||
beschikt over een uitgebreide set van {drivers} voor populaire geluids-, netwerk- en
|
||||
grafische kaarten.
|
||||
drivers = drivers
|
||||
|
||||
p2 = Heb je ooit gedroomd van een systeem dat opstart in minder dan een paar seconden,
|
||||
van het aanzetten tot een werkende GUI? Toepassingen die direct starten, meteen na
|
||||
het klikken op een icoon, zonder die vervelende zandlopers? Deze snelheid wordt
|
||||
bereikt omdat de kernonderdelen van {kolibrios} (kernel en drivers) volledig in de
|
||||
{fasm} assemblytaal geschreven zijn! Probeer {kolibrios} en vergelijk het met
|
||||
zwaargewichten zoals Windows en Linux.
|
||||
|
||||
p3 = {kolibrios} is in 2004 afgesplitst van MenuetOS en wordt sindsdien onafhankelijk
|
||||
ontwikkeld. Jouw {feedback} wordt zeer gewaardeerd, en jouw {help} is nog meer welkom.
|
||||
feedback = recensies
|
||||
help = hulp
|
||||
|
||||
p_subscription = We hopen dat je ervan zult genieten!
|
||||
|
||||
[downloads]
|
||||
header = Downloads
|
||||
|
||||
img-descr = Afbeelding op diskette
|
||||
iso-descr = LiveCD-afbeelding
|
||||
distr-descr = Universele Flash/Multi-boot image
|
||||
raw-descr = Hybride UEFI/BIOS-image
|
||||
|
||||
prev_rev = Vorige uitgaven
|
||||
all_rev = Alle nachtelijke builds
|
||||
|
||||
download_choice = Welke moet ik kiezen?
|
||||
download_help = Voor een beginner is de LiveCD het beste.\n\
|
||||
\n\
|
||||
Vergeleken met een LiveCD heeft een universeel image het voordeel dat je wijzigingen die je in KolibriOS hebt aangebracht, kunt opslaan.\n\
|
||||
\n\
|
||||
Hybride image bevat ondersteuning voor UEFI-technologie, die wordt gebruikt om het systeem op te starten op nieuwe computers en laptops.
|
||||
|
||||
download_description = Op deze pagina kunt u de nightly builds-distributie downloaden,
|
||||
wat betekent dat ze altijd de meest recente wijzigingen in het systeem bevatten en
|
||||
daarom onstabiel kunnen zijn. Alle bestanden zijn gecomprimeerd met {zip} wordt
|
||||
verspreid onder de {gpl}-licentie, en de broncode is beschikbaar op onze {git}.
|
||||
git-server = Git-server
|
||||
|
||||
[screenshots]
|
||||
header = Schermafbeeldingen
|
||||
|
||||
1 = KolibriOS bureaublad
|
||||
2 = Demos
|
||||
3 = Bestandsbeheerders
|
||||
4 = Netwerk programma`s
|
||||
5 = Spelletjes
|
||||
6 = Ontwikkel- en debugtools
|
||||
|
||||
[footer]
|
||||
team = KolibriOS Team
|
86
locales/ru.ini
Normal file
@@ -0,0 +1,86 @@
|
||||
[title]
|
||||
language = Русский
|
||||
index = КолибриОС
|
||||
download = КолибриОС - Скачать
|
||||
|
||||
[header]
|
||||
index = Официальный сайт KolibriOS
|
||||
download = Скачать КолибриОС
|
||||
|
||||
[menu]
|
||||
kolibrios = КолибриОС
|
||||
download = Скачать
|
||||
forum = Форум
|
||||
wiki = Вики
|
||||
git = Git
|
||||
|
||||
[git]
|
||||
header = КолибриОС перешла на Git!
|
||||
text = Ознакомьтесь с нашей новой, удобной для разработчиков инфраструктурой
|
||||
|
||||
[article]
|
||||
p1 = {kolibrios} — это крошечная, но невероятно мощная и быстрая операционная
|
||||
система для x86-совместимых ПК. Для её работы достаточно всего нескольких
|
||||
мегабайт места на диске, процессора i586 и 12 МБ оперативной памяти. При
|
||||
этом она содержит богатый набор приложений, таких как текстовый редактор,
|
||||
просмотрщик изображений, графический редактор, веб-браузер и более 30
|
||||
захватывающих игр.Имеется полная поддержка файловых систем FAT12/16/32,
|
||||
только на чтение доступны NTFS, exFAT, ISO9660 и Ext2/3/4, а также
|
||||
присутсвтвует обширный набор {drivers} для популярных звуковых, сетевых и графических карт.
|
||||
drivers = драйверов
|
||||
|
||||
p2 = Вы когда-нибудь мечтали о системе, которая загружается менее чем за
|
||||
несколько секунд с момента включения до появления работающего графического
|
||||
интерфейса? О приложениях, которые запускаются мгновенно, сразу после
|
||||
нажатия на ярлык, без надоедливых индикаторов загрузки? Такая скорость
|
||||
достигается благодаря тому, что основные части {kolibrios} (ядро и
|
||||
драйверы) полностью написаны на ассемблере {fasm}. Попробуйте
|
||||
{kolibrios} и сравните её с такими тяжеловесами, как Windows и Linux.
|
||||
|
||||
p3 = {kolibrios} отделилась от MenuetOS в 2004 году и с тех пор развивается
|
||||
независимым международным сообществом. Ваши {feedback} очень ценится, а ваша
|
||||
{help} ценится ещё больше.
|
||||
feedback = отзывы
|
||||
help = помощь
|
||||
|
||||
p_subscription = Надеемся, вам понравится!
|
||||
|
||||
[downloads]
|
||||
header = Скачать
|
||||
|
||||
img-descr = Образ дискеты
|
||||
iso-descr = Образ LiveCD
|
||||
distr-descr = Универсальный образ Flash/Multi-boot
|
||||
raw-descr = Гибридный UEFI/BIOS образ
|
||||
|
||||
prev_rev = Предыдущие выпуски
|
||||
all_rev = Все ночные сборки
|
||||
|
||||
download_choice = Какой выбрать?
|
||||
download_help = Для новичка лучше всего подойдет LiveCD.\n \
|
||||
\n\
|
||||
По сравнению с LiveCD преимущество универсального образа в том, что вы\
|
||||
можете сохранить изменения, сделанные в КолибриОС.\n\
|
||||
\n\
|
||||
Гибридный образ включает поддержку технологии UEFI, которая используется\
|
||||
для загрузки системы на новых компьютерах и ноутбуках.
|
||||
|
||||
download_description = На этой странице вы можете скачать ночные сборки
|
||||
дистрибутива. Это означает, что они всегда содержат последние изменения в
|
||||
системе и, следовательно, могут быть нестабильными. Все файлы сжаты с
|
||||
помощью {zip}. {kolibrios} распространяется под лицензией {gpl}, а
|
||||
исходный код доступен на нашем {git}.
|
||||
git-server = Git-сервере
|
||||
|
||||
[screenshots]
|
||||
header = Скриншоты
|
||||
|
||||
1 = Рабочий стол КолибриОС
|
||||
2 = Демки
|
||||
3 = Файловые менеджеры
|
||||
4 = Сетевые приложения
|
||||
5 = Игры
|
||||
6 = Инструменты разработчика
|
||||
|
||||
[footer]
|
||||
team = Команда КолибриОС
|
@@ -1,110 +0,0 @@
|
||||
<!doctype html>
|
||||
<html lang="nl" onmouseup="dropdown_hide()">
|
||||
<head>
|
||||
<meta charset="utf-8">
|
||||
<title>KolibriOS downloads</title>
|
||||
<link rel="icon" type="image/x-icon" href="../favicon.ico">
|
||||
<meta name="description" content="KolibriOS downloads">
|
||||
<meta name="keywords" content="kolibri, kolibrios, колибри, колибриос, colibri, operating system, assembler, калибри, fasm, alternate, open source">
|
||||
<meta name="viewport" content="width=device-width">
|
||||
<link rel="stylesheet" type="text/css" href="../style.css">
|
||||
<script src='../script.js'></script>
|
||||
</head>
|
||||
<body onkeydown='checkkey(event)'>
|
||||
|
||||
<div id="lang-dropdown">
|
||||
<div>
|
||||
<a href='../en/download.htm'><img src='../i/fl/en.png' alt='en'/>English</a>
|
||||
<a href='../de/download.htm'><img src='../i/fl/de.png' alt='de'/>Deutsch</a>
|
||||
<a href='../es/download.htm'><img src='../i/fl/es.png' alt='es'/>Español</a>
|
||||
<a href='../fr/download.htm'><img src='../i/fl/fr.png' alt='fr'/>Français</a>
|
||||
<a href='../it/download.htm'><img src='../i/fl/it.png' alt='it'/>Italiano</a>
|
||||
<font bg=#FF9800><a class='sel' href='../nl/download.htm'><img src='../i/fl/nl.png' alt='nl'/>Nederlands</a></font>
|
||||
<a href='../ru/download.htm'><img src='../i/fl/ru.png' alt='ru'/>Русский</a>
|
||||
</div>
|
||||
</div>
|
||||
|
||||
<nav id="menu">
|
||||
<a href="../nl/index.htm">KolibriOS</a>
|
||||
<a href="../nl/download.htm" class='a'><font bg=lightblue>Download</font></a>
|
||||
<a href="http://board.kolibrios.org">Forum</a>
|
||||
<a href="http://wiki.kolibrios.org/index.php?title=Main_Page&setlang=nl">Wiki</a>
|
||||
<a href="https://git.kolibrios.org">Git</a>
|
||||
<button onclick="dropdown_show(this)" id="l"><img src="../i/fl/nl.png" alt="nl"></button>
|
||||
</nav>
|
||||
|
||||
<div id="article" class="download">
|
||||
<h1>KolibriOS downloads</h1>
|
||||
<table>
|
||||
<tr>
|
||||
<td width=38><img src="../i/i_floppy.png" alt="floppy"></td>
|
||||
<td class="description_cell">Diskette-image</td>
|
||||
<td class="date_cell">$autobuild_date_en</td>
|
||||
<td>
|
||||
<a href="//builds.kolibrios.org/en_US/latest-img.7z" title="ver. $autobuild_cmtid_en_US, $autobuild_size_en_US_img">English</a>
|
||||
<a href="//builds.kolibrios.org/ru_RU/latest-img.7z" title="ver. $autobuild_cmtid_ru_RU, $autobuild_size_ru_RU_img">Русский</a>
|
||||
<a href="//builds.kolibrios.org/es_ES/latest-img.7z" title="ver. $autobuild_cmtid_es_ES, $autobuild_size_es_ES_img">Español</a>
|
||||
</td>
|
||||
</tr>
|
||||
<tr>
|
||||
<td width=38><img src="../i/i_cd.png" alt="cd"></td>
|
||||
<td class="description_cell">CD-versie (live-CD)</td>
|
||||
<td class="date_cell">$autobuild_date_en</td>
|
||||
<td>
|
||||
<a href="//builds.kolibrios.org/en_US/latest-iso.7z" title="ver. $autobuild_cmtid_en_US, $autobuild_size_en_US_iso">English</a>
|
||||
<a href="//builds.kolibrios.org/ru_RU/latest-iso.7z" title="ver. $autobuild_cmtid_ru_RU, $autobuild_size_ru_RU_iso">Русский</a>
|
||||
<a href="//builds.kolibrios.org/es_ES/latest-iso.7z" title="ver. $autobuild_cmtid_es_ES, $autobuild_size_es_ES_iso">Español</a>
|
||||
</td>
|
||||
</tr>
|
||||
<tr>
|
||||
<td width=38><img src="../i/i_uni.png" alt="universal"></td>
|
||||
<td class="description_cell">Universele afbeelding Flash/HDD</td>
|
||||
<td class="date_cell">$autobuild_date_en</td>
|
||||
<td>
|
||||
<a href="//builds.kolibrios.org/en_US/latest-distr.7z" title="ver. $autobuild_cmtid_en_US, $autobuild_size_en_US_distr">English</a>
|
||||
<a href="//builds.kolibrios.org/ru_RU/latest-distr.7z" title="ver. $autobuild_cmtid_ru_RU, $autobuild_size_ru_RU_distr">Русский</a>
|
||||
<a href="//builds.kolibrios.org/es_ES/latest-distr.7z" title="ver. $autobuild_cmtid_es_ES, $autobuild_size_es_ES_distr">Español</a>
|
||||
</td>
|
||||
</tr>
|
||||
<tr>
|
||||
<td width=38><img src="../i/i_uefi.png" alt="uefi"></td>
|
||||
<td class="description_cell">Hybride UEFI/BIOS-image voor Flash/HDD</td>
|
||||
<td class="date_cell">$autobuild_date_en</td>
|
||||
<td>
|
||||
<a href="//builds.kolibrios.org/en_US/latest-raw.7z" title="ver. $autobuild_cmtid_en_US, $autobuild_size_en_US_raw">English</a>
|
||||
<a href="//builds.kolibrios.org/ru_RU/latest-raw.7z" title="ver. $autobuild_cmtid_ru_RU, $autobuild_size_ru_RU_raw">Русский</a>
|
||||
<a href="//builds.kolibrios.org/es_ES/latest-raw.7z" title="ver. $autobuild_cmtid_es_ES, $autobuild_size_es_ES_raw">Español</a>
|
||||
</td>
|
||||
</tr>
|
||||
<tr>
|
||||
<td><div></div></td>
|
||||
<td colspan="3">
|
||||
<button class="help-button" onclick="alert('For a beginner, the LiveCD is best.\n\nCompared to a LiveCD, the advantage of a universal image is that you can save changes made in KolibriOS.\n\nHybrid image includes support for UEFI technology, which is used to boot the system on new computers and laptops.');">Welke te kiezen?</button>
|
||||
<a href="//archive.kolibrios.org/nl/">KolibriOS vorige releases</a>
|
||||
<a href="//builds.kolibrios.org/">Alle baugruppen</a>
|
||||
</td>
|
||||
</tr>
|
||||
</table>
|
||||
|
||||
<p>Hier kunt u de versies downloaden die 's nachts gebouwd zijn. Deze bevatten de nieuwste snufjes en kunnen daardoor instabiel zijn.
|
||||
Alle bestanden zijn gecomprimeerd met het programma <a href='http://www.7-zip.org' target='_blank'>7zip</a>.
|
||||
KolibriOS is vrijgegeven onder een <a href='http://www.gnu.org/licenses/gpl-2.0.html' target='_blank'>GPLv2</a> licentie,
|
||||
de broncode kunt u downloaden via onze <a href='https://git.kolibrios.org'>Git-server</a>.
|
||||
</p>
|
||||
|
||||
<h1>Schermopnames</h1>
|
||||
<div id="screen">
|
||||
<div id="show" onclick="next()">
|
||||
<img id='slide1' src='../i/slaid/slaid1.png' alt="KolibriOS empty desktop" class='visible'>
|
||||
<img id='slide2' src='../i/slaid/slaid2.png' alt="Demos">
|
||||
<img id='slide3' src='../i/slaid/slaid3.png' alt="File managers">
|
||||
<img id='slide4' src='../i/slaid/slaid4.png' alt="Network programs">
|
||||
<img id='slide5' src='../i/slaid/slaid5.png' alt="Games">
|
||||
<img id='slide6' src='../i/slaid/slaid6.png' alt="Developer and debug tools">
|
||||
</div>
|
||||
</div>
|
||||
|
||||
</div>
|
||||
<div id="footer">© 2004<script>document.write(" – " + new Date().getFullYear())</script> KolibriOS Team</div>
|
||||
</body>
|
||||
</html>
|
50
nl/index.htm
@@ -1,50 +0,0 @@
|
||||
<!doctype html>
|
||||
<html lang="nl" onmouseup="dropdown_hide()">
|
||||
<head>
|
||||
<meta charset="utf-8">
|
||||
<title>KolibriOS officiële site</title>
|
||||
<link rel="icon" type="image/x-icon" href="../favicon.ico">
|
||||
<meta name="description" content="KolibriOS officiële site">
|
||||
<meta name="keywords" content="kolibri, kolibrios, колибри, колибриос, colibri, operating system, assembler, калибри, fasm, alternate, open source">
|
||||
<meta name="viewport" content="width=device-width">
|
||||
<link rel="stylesheet" type="text/css" href="../style.css">
|
||||
<script src='../script.js'></script>
|
||||
</head>
|
||||
<body onkeydown='checkkey(event)'>
|
||||
|
||||
<div id="lang-dropdown">
|
||||
<div>
|
||||
<a href='../en/index.htm'><img src='../i/fl/en.png' alt='en'/>English</a>
|
||||
<a href='../de/index.htm'><img src='../i/fl/de.png' alt='de'/>Deutsch</a>
|
||||
<a href='../es/index.htm'><img src='../i/fl/es.png' alt='es'/>Español</a>
|
||||
<a href='../fr/index.htm'><img src='../i/fl/fr.png' alt='fr'/>Français</a>
|
||||
<a href='../it/index.htm'><img src='../i/fl/it.png' alt='it'/>Italiano</a>
|
||||
<font bg=#FF9800><a class='sel' href='../nl/index.htm'><img src='../i/fl/nl.png' alt='nl'/>Nederlands</a></font>
|
||||
<a href='../ru/index.htm'><img src='../i/fl/ru.png' alt='ru'/>Русский</a>
|
||||
</div>
|
||||
</div>
|
||||
|
||||
<nav id="menu">
|
||||
<a href="../nl/index.htm" class='a'><font bg=lightblue>KolibriOS</font></a>
|
||||
<a href="../nl/download.htm">Download</a>
|
||||
<a href="http://board.kolibrios.org">Forum</a>
|
||||
<a href="http://wiki.kolibrios.org/index.php?title=Main_Page&setlang=nl">Wiki</a>
|
||||
<a href="https://git.kolibrios.org">Git</a>
|
||||
<button onclick="dropdown_show(this)" id="l"><img src="../i/fl/nl.png" alt="nl"></button>
|
||||
</nav>
|
||||
|
||||
<div id="article" style="padding-bottom: 30px;">
|
||||
|
||||
<a href="https://www.facebook.com/groups/kolibrios" target="_blank"><img id="banner" src="../i/banners/en.png" alt="We got closer. Follow us on Facebook!"></a>
|
||||
|
||||
<br>
|
||||
<p><strong>KolibriOS</strong> is een klein maar verbazingwekkend krachtig en snel besturingssysteem. Voor <b>KolibriOS</b> heb je maar een paar megabyte aan schijfruimte en 8 megabyte aan RAM nodig. KolibriOS bevat een grote lijst <a href="http://wiki.kolibrios.org/wiki/Applications">applicaties</a>, zoals een tekstverwerker, fotobekijker, tekenprogramma, web browser en ook nog ruim 30 leuke spelletjes. KolibriOS heeft volledige ondersteuning voor de bestandssystemen FAT12/16/32 en kan de bestandssystemen NTFS, ISO9660, ext2/3 en 4 lezen. Er zijn <a href="http://wiki.kolibrios.org/wiki/Hardware_Support">drivers</a> geschreven voor populaire geluids-, netwerk- en grafische kaarten.</p>
|
||||
|
||||
<iframe style="margin:5px 0 5px 25px; float:right;" width="560" height="315" src="http://www.youtube.com/embed/XnlA4ijrTBo" frameborder="0" allowfullscreen></iframe>
|
||||
|
||||
<p style="padding: 15px 0;">Heb je ooit gedroomd van een besturingssysteem dat er slechts tien seconden over doet om te laden vanaf het moment dat je de computer aanzet naar een werkende omgeving, op een computer die slechts 90 euro kost? Applicaties die meteen opstarten als je op hun icoontjes klikt, zonder die irritante zandloper-cursors? Deze snelheid komt doordat de kernel en de drivers van KolibriOS geheel geschreven zijn in <a href="http://www.flatassembler.net" target="_blank">FASM</a> Assembler programmeertaal. Probeer <strong>KolibriOS</strong> en vergelijk het met zwaargewichten als Windows en Linux.</p>
|
||||
|
||||
<p><b>KolibriOS</b> is afgesplitst van MenuetOS in 2004 en is sindsdien onder actieve ontwikkeling. Al onze code is vrij (open-source), de meeste code staat onder de <a href="http://www.gnu.org/licenses/gpl-2.0.html" target="_blank">GPLv2</a> licensie. Je <a href="http://board.kolibrios.org">feedback</a> wordt heel erg gewaardeerd en je <a href="http://wiki.kolibrios.org/wiki/Kolibri_tomorrow">hulp</a> is zelfs nog meer welkom.</p>
|
||||
|
||||
</div><div id="footer">© 2004<script>document.write(" – " + new Date().getFullYear())</script> KolibriOS Team</div></body>
|
||||
</html>
|
9
requirements.txt
Normal file
@@ -0,0 +1,9 @@
|
||||
blinker==1.9.0
|
||||
click==8.1.8
|
||||
colorama==0.4.6
|
||||
Flask==3.1.0
|
||||
itsdangerous==2.2.0
|
||||
Jinja2==3.1.6
|
||||
libsass==0.23.0
|
||||
MarkupSafe==3.0.2
|
||||
Werkzeug==3.1.3
|
51
reset.css
@@ -1,51 +0,0 @@
|
||||
html, body, div, span, iframe,
|
||||
h1, h2, h3, h4, h5, h6, p, blockquote, pre,
|
||||
a, code, del, em, img, ins, kbd, q, s, samp,
|
||||
small, strike, strong, sub, sup, tt, var,
|
||||
b, u, i, center, dl, dt, dd, ol, ul, li,
|
||||
fieldset, form, label, legend,
|
||||
table, caption, tr, th, td,
|
||||
article, figure, footer, header, menu {
|
||||
margin: 0;
|
||||
padding: 0;
|
||||
border: 0;
|
||||
font-size: 100%;
|
||||
font: inherit;
|
||||
vertical-align: baseline;
|
||||
}
|
||||
body { line-height: 1; }
|
||||
ol, ul { list-style: none; }
|
||||
blockquote, q { quotes: none; }
|
||||
table { border-collapse: collapse; border-spacing: 0; }
|
||||
|
||||
|
||||
button {
|
||||
border: none;
|
||||
margin: 0;
|
||||
padding: 0;
|
||||
width: auto;
|
||||
overflow: visible;
|
||||
|
||||
background: transparent;
|
||||
|
||||
/* inherit font & color from ancestor */
|
||||
color: inherit;
|
||||
font: inherit;
|
||||
|
||||
/* Normalize `line-height`. Cannot be changed from `normal` in Firefox 4+. */
|
||||
line-height: normal;
|
||||
|
||||
/* Corrects font smoothing for webkit */
|
||||
-webkit-font-smoothing: inherit;
|
||||
-moz-osx-font-smoothing: inherit;
|
||||
|
||||
/* Corrects inability to style clickable `input` types in iOS */
|
||||
-webkit-appearance: none;
|
||||
cursor: pointer;
|
||||
}
|
||||
|
||||
/* Remove excess padding and border in Firefox 4+ */
|
||||
button::-moz-focus-inner {
|
||||
border: 0;
|
||||
padding: 0;
|
||||
}
|
@@ -1,110 +0,0 @@
|
||||
<!doctype html>
|
||||
<html lang="ru" onmouseup="dropdown_hide()">
|
||||
<head>
|
||||
<meta charset="utf-8">
|
||||
<title>Скачать дистрибутив KolibriOS</title>
|
||||
<link rel="icon" type="image/x-icon" href="../favicon.ico">
|
||||
<meta name="description" content="Страница закачек KolibriOS">
|
||||
<meta name="keywords" content="kolibri, kolibrios, колибри, колибриос, colibri, operating system, assembler, калибри, fasm, alternate, open source">
|
||||
<meta name="viewport" content="width=device-width">
|
||||
<link rel="stylesheet" type="text/css" href="../style.css">
|
||||
<script src='../script.js'></script>
|
||||
</head>
|
||||
<body onkeydown='checkkey(event)'>
|
||||
|
||||
<div id="lang-dropdown">
|
||||
<div>
|
||||
<a href='../en/download.htm'><img src='../i/fl/en.png' alt='en'/>English</a>
|
||||
<a href='../de/download.htm'><img src='../i/fl/de.png' alt='de'/>Deutsch</a>
|
||||
<a href='../es/download.htm'><img src='../i/fl/es.png' alt='es'/>Español</a>
|
||||
<a href='../fr/download.htm'><img src='../i/fl/fr.png' alt='fr'/>Français</a>
|
||||
<a href='../it/download.htm'><img src='../i/fl/it.png' alt='it'/>Italiano</a>
|
||||
<a href='../nl/download.htm'><img src='../i/fl/nl.png' alt='nl'/>Nederlands</a>
|
||||
<font bg=#FF9800><a class='sel' href='../ru/download.htm'><img src='../i/fl/ru.png' alt='ru'/>Русский</a></font>
|
||||
</div>
|
||||
</div>
|
||||
|
||||
<nav id="menu">
|
||||
<a href="../ru/index.htm">КолибриОС</a>
|
||||
<a href="../ru/download.htm" class='a'><font bg=lightblue>Скачать</font></a>
|
||||
<a href="http://board.kolibrios.org">Форум</a>
|
||||
<a href="http://wiki.kolibrios.org/index.php?title=Main_Page&setlang=ru">Вики</a>
|
||||
<a href="https://git.kolibrios.org">Git</a>
|
||||
<button onclick="dropdown_show(this)" id="l"><img src="../i/fl/ru.png" alt="ru"></button>
|
||||
</nav>
|
||||
|
||||
<div id="article" class="download">
|
||||
<h1>Скачать KolibriOS</h1>
|
||||
<table>
|
||||
<tr>
|
||||
<td width=38><img src="../i/i_floppy.png" alt="floppy"></td>
|
||||
<td class="description_cell">Образ дискеты</td>
|
||||
<td class="date_cell">$autobuild_date_ru</td>
|
||||
<td>
|
||||
<a href="//builds.kolibrios.org/en_US/latest-img.7z" title="ver. $autobuild_cmtid_en_US, $autobuild_size_en_US_img">English</a>
|
||||
<a href="//builds.kolibrios.org/ru_RU/latest-img.7z" title="ver. $autobuild_cmtid_ru_RU, $autobuild_size_ru_RU_img">Русский</a>
|
||||
<a href="//builds.kolibrios.org/es_ES/latest-img.7z" title="ver. $autobuild_cmtid_es_ES, $autobuild_size_es_ES_img">Español</a>
|
||||
</td>
|
||||
</tr>
|
||||
<tr>
|
||||
<td width=38><img src="../i/i_cd.png" alt="cd"></td>
|
||||
<td class="description_cell">Загрузочный компакт-диск LiveCD</td>
|
||||
<td class="date_cell">$autobuild_date_ru</td>
|
||||
<td>
|
||||
<a href="//builds.kolibrios.org/en_US/latest-iso.7z" title="ver. $autobuild_cmtid_en_US, $autobuild_size_en_US_iso">English</a>
|
||||
<a href="//builds.kolibrios.org/ru_RU/latest-iso.7z" title="ver. $autobuild_cmtid_ru_RU, $autobuild_size_ru_RU_iso">Русский</a>
|
||||
<a href="//builds.kolibrios.org/es_ES/latest-iso.7z" title="ver. $autobuild_cmtid_es_ES, $autobuild_size_es_ES_iso">Español</a>
|
||||
</td>
|
||||
</tr>
|
||||
<tr>
|
||||
<td width=38><img src="../i/i_uni.png" alt="universal"></td>
|
||||
<td class="description_cell">Универсальный образ Flash/<acronym title="Загрузка несколько операционных систем на одном компьютере">Multi-boot</acronym></td>
|
||||
<td class="date_cell">$autobuild_date_ru</td>
|
||||
<td>
|
||||
<a href="//builds.kolibrios.org/en_US/latest-distr.7z" title="ver. $autobuild_cmtid_en_US, $autobuild_size_en_US_distr">English</a>
|
||||
<a href="//builds.kolibrios.org/ru_RU/latest-distr.7z" title="ver. $autobuild_cmtid_ru_RU, $autobuild_size_ru_RU_distr">Русский</a>
|
||||
<a href="//builds.kolibrios.org/es_ES/latest-distr.7z" title="ver. $autobuild_cmtid_es_ES, $autobuild_size_es_ES_distr">Español</a>
|
||||
</td>
|
||||
</tr>
|
||||
<tr>
|
||||
<td width=38><img src="../i/i_uefi.png" alt="uefi"></td>
|
||||
<td class="description_cell">Гибридный UEFI/BIOS образ для Flash/HDD</td>
|
||||
<td class="date_cell">$autobuild_date_ru</td>
|
||||
<td>
|
||||
<a href="//builds.kolibrios.org/en_US/latest-raw.7z" title="ver. $autobuild_cmtid_en_US, $autobuild_size_en_US_raw">English</a>
|
||||
<a href="//builds.kolibrios.org/ru_RU/latest-raw.7z" title="ver. $autobuild_cmtid_ru_RU, $autobuild_size_ru_RU_raw">Русский</a>
|
||||
<a href="//builds.kolibrios.org/es_ES/latest-raw.7z" title="ver. $autobuild_cmtid_es_ES, $autobuild_size_es_ES_raw">Español</a>
|
||||
</td>
|
||||
</tr>
|
||||
<tr>
|
||||
<td><div></div></td>
|
||||
<td colspan="3">
|
||||
<button class="help-button" onclick="alert('Для новичка лучше всего подойдёт LiveCD.\n\nПо сравнению с LiveCD преимущество универсального образа в том, что можно сохранять изменения, сделанные в КолибриОС.\n\nГибридный образ имеет в своём составе поддержку технологии UEFI, которая используется для загрузки системы на новых компьютерах и ноутбуках.');">Какой выбрать?</button>
|
||||
<a href="//archive.kolibrios.org/ru/">Архив старых версий</a>
|
||||
<a href="//builds.kolibrios.org/">Все ночные сборки</a>
|
||||
</td>
|
||||
</tr>
|
||||
</table>
|
||||
|
||||
<p>На этой странице представлены ночные сборки дистрибутива — это означает, что они всегда
|
||||
содержат самые последние изменения в системе и потому могут быть нестабильны. КолибриОС распространяется
|
||||
на условиях <a href='http://www.gnu.org/licenses/gpl-2.0.html' target='_blank'>GPLv2</a>, её исходники
|
||||
доступны на нашем <a href='https://git.kolibrios.org'>Git сервере</a>.<br></p>
|
||||
|
||||
<h1>Скриншоты</h1>
|
||||
|
||||
<div id="screen" onclick="next()">
|
||||
<div id="show" >
|
||||
<img id='slide1' src='../i/slaid/slaid1.png' alt="Чистый стол KolibriOS" class='visible'>
|
||||
<img id='slide2' src='../i/slaid/slaid2.png' alt="Демки">
|
||||
<img id='slide3' src='../i/slaid/slaid3.png' alt="Файловые менеджеры">
|
||||
<img id='slide4' src='../i/slaid/slaid4.png' alt="Сетевые приложения">
|
||||
<img id='slide5' src='../i/slaid/slaid5.png' alt="Игры">
|
||||
<img id='slide6' src='../i/slaid/slaid6.png' alt="Средства разработчика">
|
||||
</div>
|
||||
</div>
|
||||
|
||||
</div>
|
||||
<div id="footer">© 2004<script>document.write(" – " + new Date().getFullYear())</script> команда КолибриОС</div>
|
||||
</body>
|
||||
</html>
|
50
ru/index.htm
@@ -1,50 +0,0 @@
|
||||
<!doctype html>
|
||||
<html lang="ru" onmouseup="dropdown_hide()">
|
||||
<head>
|
||||
<meta charset="utf-8">
|
||||
<title>KolibriOS - официальный сайт</title>
|
||||
<link rel="icon" type="image/x-icon" href="../favicon.ico">
|
||||
<meta name="description" content="KolibriOS - официальный сайт">
|
||||
<meta name="keywords" content="kolibri, kolibrios, колибри, колибриос, colibri, operating system, assembler, калибри, fasm, alternate, open source">
|
||||
<meta name="viewport" content="width=device-width">
|
||||
<link rel="stylesheet" type="text/css" href="../style.css">
|
||||
<script src='../script.js'></script>
|
||||
</head>
|
||||
<body onkeydown='checkkey(event)'>
|
||||
|
||||
<div id="lang-dropdown">
|
||||
<div>
|
||||
<a href='../en/index.htm'><img src='../i/fl/en.png' alt='en'/>English</a>
|
||||
<a href='../de/index.htm'><img src='../i/fl/de.png' alt='de'/>Deutsch</a>
|
||||
<a href='../es/index.htm'><img src='../i/fl/es.png' alt='es'/>Español</a>
|
||||
<a href='../fr/index.htm'><img src='../i/fl/fr.png' alt='fr'/>Français</a>
|
||||
<a href='../it/index.htm'><img src='../i/fl/it.png' alt='it'/>Italiano</a>
|
||||
<a href='../nl/index.htm'><img src='../i/fl/nl.png' alt='nl'/>Nederlands</a>
|
||||
<font bg=#FF9800><a class='sel' href='../ru/index.htm'><img src='../i/fl/ru.png' alt='ru'/>Русский</a></font>
|
||||
</div>
|
||||
</div>
|
||||
|
||||
<nav id="menu">
|
||||
<a href="../ru/index.htm" class='a'><font bg=lightblue>КолибриОС</font></a>
|
||||
<a href="../ru/download.htm">Скачать</a>
|
||||
<a href="http://board.kolibrios.org">Форум</a>
|
||||
<a href="http://wiki.kolibrios.org/index.php?title=Main_Page&setlang=ru">Вики</a>
|
||||
<a href="https://git.kolibrios.org">Git</a>
|
||||
<button onclick="dropdown_show(this)" id="l"><img src="../i/fl/ru.png" alt="ru"></button>
|
||||
</nav>
|
||||
|
||||
<div id="article" class="index_russian">
|
||||
<a href="https://t.me/kolibrios_news" target="_blank">
|
||||
<img id="banner" src="../i/banners/ru.png" alt="Наша группа в Telegram. Подписывайтесь!">
|
||||
</a>
|
||||
<br>
|
||||
<p><strong>KolibriOS</strong> — очень миниатюрная и невероятно быстрая операционная система. Её основной дистрибутив имеет размер 1,44 Мб — и это при том, что содержит набор драйверов, браузер, несколько текстовых и графических редакторов, просмотрщиков, плееров, более 30 игр и другие программы. Встроена поддержка чтения и записи для файловых систем FAT12/16/32, NTFS, Ext2/3/4, только для чтения доступны XFS и ISO 9660.</p>
|
||||
<p>Такая скорость и компактность достигается благодаря тому, что ядро и большинство программ написаны на ассемблере <a href="https://flatassembler.net/" target="_blank">FASM</a>, тем самым максимально оптимизированы под процессоры х86. Для запуска достаточно всего 8 мегабайт оперативной памяти. Мечтали вы когда-нибудь о том, чтобы приложения запускались мгновенно, сразу после нажатия на иконку? Без крутящихся часиков и кружков. Просто сразу. Попробуйте KolibriOS и сравните её с такими тяжеловесами, как Windows и Linux.</p>
|
||||
<p>KolibriOS отделилась от MenuetOS в 2004 году, и с тех пор разрабатывается интернациональным сообществом программистов. Ведётся работа по облегчению жизни разработчиков и пользователей. Ваши отзывы очень полезны, хотя помощь, конечно же, еще полезнее.</p>
|
||||
<br>
|
||||
Надеемся, Вам понравится,<br>
|
||||
команда КолибриОС.
|
||||
</div>
|
||||
<div id="footer">© 2004<script>document.write(" – " + new Date().getFullYear())</script> команда КолибриОС</div>
|
||||
</body>
|
||||
</html>
|
69
script.js
@@ -1,69 +0,0 @@
|
||||
/* Screenshots galery */
|
||||
|
||||
var FIRST_IMG_ID = 1;
|
||||
var LAST_IMG_ID = 6;
|
||||
var current = LAST_IMG_ID;
|
||||
|
||||
window.onload = function() {
|
||||
if (document.getElementById("carousel")) next();
|
||||
}
|
||||
|
||||
function checkkey(e)
|
||||
{
|
||||
var keycode = window.event ? e.keyCode : e.which;
|
||||
if (keycode==37) { previous(); }
|
||||
else if (keycode==39) { next(); }
|
||||
else if (keycode==27) { dropdown_hide(); }
|
||||
}
|
||||
|
||||
function next() {
|
||||
document.getElementById("slide"+current).className = "minislide";
|
||||
if (current >= LAST_IMG_ID) current = FIRST_IMG_ID; else current++;
|
||||
document.getElementById("slide"+current).className = "visible";
|
||||
document.getElementById("carousel").innerHTML = document.getElementById("slide"+current).alt;
|
||||
}
|
||||
function previous() {
|
||||
document.getElementById("slide"+current).className = "minislide";
|
||||
if (current <= FIRST_IMG_ID) current = LAST_IMG_ID; else current--;
|
||||
document.getElementById("slide"+current).className = "visible";
|
||||
document.getElementById("carousel").innerHTML = document.getElementById("slide"+current).alt;
|
||||
}
|
||||
|
||||
|
||||
/* DropDown */
|
||||
|
||||
function dropdown_show(obj)
|
||||
{
|
||||
var x = y = 0;
|
||||
while(obj) {
|
||||
x += obj.offsetLeft;
|
||||
y += obj.offsetTop;
|
||||
obj = obj.offsetParent;
|
||||
}
|
||||
ddown = document.getElementById("lang-dropdown");
|
||||
ddown.style.display = "block";
|
||||
ddown.style.left = (x - 72) + "px";
|
||||
if (ddown.offsetLeft + ddown.offsetWidth +10 > document.body.offsetWidth)
|
||||
{
|
||||
ddown.style.left = document.body.offsetWidth - ddown.offsetWidth - 82 + "px";
|
||||
}
|
||||
ddown.style.top = (y + 48) + "px";
|
||||
op = 0;
|
||||
appear(1);
|
||||
}
|
||||
|
||||
function dropdown_hide()
|
||||
{
|
||||
ddown = document.getElementById("lang-dropdown");
|
||||
ddown.style.display="none";
|
||||
}
|
||||
|
||||
function appear(x)
|
||||
{
|
||||
if(op < x) {
|
||||
op += 0.2;
|
||||
ddown.style.opacity = op;
|
||||
ddown.style.filter='alpha(opacity='+op*100+')';
|
||||
t=setTimeout('appear('+x+')',20);
|
||||
}
|
||||
}
|
23
shell.nix
Normal file
@@ -0,0 +1,23 @@
|
||||
{ pkgs ? import <nixpkgs> {} }: let
|
||||
pypkgs = pkgs.python3Packages;
|
||||
in pkgs.mkShell {
|
||||
name = "kolibrios.org";
|
||||
|
||||
buildInputs = with pypkgs; [
|
||||
python
|
||||
virtualenv
|
||||
pkgs.nodePackages.sass
|
||||
];
|
||||
|
||||
shellHook = ''
|
||||
if [ ! -d "venv" ]; then
|
||||
python -m venv .venv
|
||||
fi
|
||||
|
||||
source .venv/bin/activate
|
||||
|
||||
if [ -f "requirements.txt" ]; then
|
||||
pip install -r requirements.txt
|
||||
fi
|
||||
'';
|
||||
}
|
BIN
static/favicon.ico
Normal file
After Width: | Height: | Size: 9.4 KiB |
Before Width: | Height: | Size: 8.3 KiB After Width: | Height: | Size: 8.3 KiB |
Before Width: | Height: | Size: 128 B After Width: | Height: | Size: 128 B |
Before Width: | Height: | Size: 230 B After Width: | Height: | Size: 230 B |
Before Width: | Height: | Size: 516 B After Width: | Height: | Size: 516 B |
Before Width: | Height: | Size: 259 B After Width: | Height: | Size: 259 B |
Before Width: | Height: | Size: 355 B After Width: | Height: | Size: 355 B |
Before Width: | Height: | Size: 418 B After Width: | Height: | Size: 418 B |
Before Width: | Height: | Size: 202 B After Width: | Height: | Size: 202 B |
Before Width: | Height: | Size: 191 B After Width: | Height: | Size: 191 B |
BIN
static/img/gitea.png
Normal file
After Width: | Height: | Size: 7.5 KiB |
Before Width: | Height: | Size: 2.6 KiB After Width: | Height: | Size: 2.6 KiB |
BIN
static/img/icons/i_discord.png
Normal file
After Width: | Height: | Size: 747 B |
BIN
static/img/icons/i_facebook.png
Normal file
After Width: | Height: | Size: 700 B |
Before Width: | Height: | Size: 1.1 KiB After Width: | Height: | Size: 1.1 KiB |
Before Width: | Height: | Size: 264 B After Width: | Height: | Size: 264 B |
BIN
static/img/icons/i_reddit.png
Normal file
After Width: | Height: | Size: 783 B |
BIN
static/img/icons/i_telegram.png
Normal file
After Width: | Height: | Size: 843 B |
Before Width: | Height: | Size: 1.4 KiB After Width: | Height: | Size: 1.4 KiB |
Before Width: | Height: | Size: 702 B After Width: | Height: | Size: 702 B |
BIN
static/img/logo.png
Normal file
After Width: | Height: | Size: 18 KiB |
BIN
static/img/screenshots/1.png
Normal file
After Width: | Height: | Size: 36 KiB |
0
i/slaid/slaid2.png → static/img/screenshots/2.png
Executable file → Normal file
Before Width: | Height: | Size: 306 KiB After Width: | Height: | Size: 306 KiB |
0
i/slaid/slaid3.png → static/img/screenshots/3.png
Executable file → Normal file
Before Width: | Height: | Size: 151 KiB After Width: | Height: | Size: 151 KiB |
0
i/slaid/slaid4.png → static/img/screenshots/4.png
Executable file → Normal file
Before Width: | Height: | Size: 124 KiB After Width: | Height: | Size: 124 KiB |
0
i/slaid/slaid5.png → static/img/screenshots/5.png
Executable file → Normal file
Before Width: | Height: | Size: 358 KiB After Width: | Height: | Size: 358 KiB |
0
i/slaid/slaid6.png → static/img/screenshots/6.png
Executable file → Normal file
Before Width: | Height: | Size: 42 KiB After Width: | Height: | Size: 42 KiB |
119
static/script.js
Normal file
@@ -0,0 +1,119 @@
|
||||
/* LANGUAGE DROPDOWN */
|
||||
|
||||
function dropdown_show(obj)
|
||||
{
|
||||
var x = y = 0;
|
||||
|
||||
while(obj)
|
||||
{
|
||||
x += obj.offsetLeft;
|
||||
y += obj.offsetTop;
|
||||
obj = obj.offsetParent;
|
||||
}
|
||||
|
||||
ddown = document.getElementById("lang-dropdown");
|
||||
ddown.style.display = "block";
|
||||
ddown.style.left = (x - 72) + "px";
|
||||
|
||||
if (ddown.offsetLeft + ddown.offsetWidth +10 > document.body.offsetWidth)
|
||||
{
|
||||
ddown.style.left = document.body.offsetWidth - ddown.offsetWidth - 82 + "px";
|
||||
}
|
||||
|
||||
ddown.style.top = (y + 48) + "px";
|
||||
op = 0;
|
||||
appear(1);
|
||||
}
|
||||
|
||||
function dropdown_hide()
|
||||
{
|
||||
ddown = document.getElementById("lang-dropdown");
|
||||
ddown.style.display="none";
|
||||
}
|
||||
|
||||
function appear(x)
|
||||
{
|
||||
if(op < x)
|
||||
{
|
||||
op += 0.2;
|
||||
ddown.style.opacity = op;
|
||||
ddown.style.filter = 'alpha(opacity=' + op * 100 + ')';
|
||||
t = setTimeout('appear(' + x + ')', 20);
|
||||
}
|
||||
}
|
||||
|
||||
/* SCREENSHOTS GALLERY */
|
||||
|
||||
var FIRST_IMG_ID = 1;
|
||||
var LAST_IMG_ID = 6;
|
||||
var current = LAST_IMG_ID; // start with last slide so that next() shows the first
|
||||
|
||||
window.onload = function() {
|
||||
// Dynamically create dots based on number of slides
|
||||
var dots = document.getElementById("dots");
|
||||
for (var i = FIRST_IMG_ID; i <= LAST_IMG_ID; i++) {
|
||||
var dot = document.createElement("span");
|
||||
dot.className = "dot" + (i === current ? " active" : "");
|
||||
dot.setAttribute("data-slide", i);
|
||||
dot.onclick = function() {
|
||||
goToSlide(parseInt(this.getAttribute("data-slide")));
|
||||
};
|
||||
dots.appendChild(dot);
|
||||
}
|
||||
// If a carousel element exists, advance to the first slide on load
|
||||
if (document.getElementById("carousel")) next();
|
||||
};
|
||||
|
||||
function updateDots() {
|
||||
var dots = document.querySelectorAll("#dots .dot");
|
||||
dots.forEach(function(dot, index) {
|
||||
// index starts at 0 so add FIRST_IMG_ID to match your slide IDs
|
||||
dot.classList.toggle("active", (index + FIRST_IMG_ID) === current);
|
||||
});
|
||||
}
|
||||
|
||||
function goToSlide(n) {
|
||||
if (n === current) return;
|
||||
document.getElementById("slide" + current).className = "minislide";
|
||||
current = n;
|
||||
document.getElementById("slide" + current).className = "visible";
|
||||
if (document.getElementById("carousel")) {
|
||||
document.getElementById("carousel").innerHTML = document.getElementById("slide" + current).alt;
|
||||
}
|
||||
updateDots();
|
||||
}
|
||||
|
||||
function next() {
|
||||
document.getElementById("slide" + current).className = "minislide";
|
||||
if (current >= LAST_IMG_ID) {
|
||||
current = FIRST_IMG_ID;
|
||||
} else {
|
||||
current++;
|
||||
}
|
||||
document.getElementById("slide" + current).className = "visible";
|
||||
if (document.getElementById("carousel")) {
|
||||
document.getElementById("carousel").innerHTML = document.getElementById("slide" + current).alt;
|
||||
}
|
||||
updateDots();
|
||||
}
|
||||
|
||||
function previous() {
|
||||
document.getElementById("slide" + current).className = "minislide";
|
||||
if (current <= FIRST_IMG_ID) {
|
||||
current = LAST_IMG_ID;
|
||||
} else {
|
||||
current--;
|
||||
}
|
||||
document.getElementById("slide" + current).className = "visible";
|
||||
if (document.getElementById("carousel")) {
|
||||
document.getElementById("carousel").innerHTML = document.getElementById("slide" + current).alt;
|
||||
}
|
||||
updateDots();
|
||||
}
|
||||
|
||||
function checkkey(e) {
|
||||
var keycode = window.event ? e.keyCode : e.which;
|
||||
if (keycode == 37) { previous(); }
|
||||
else if (keycode == 39) { next(); }
|
||||
else if (keycode == 27) { dropdown_hide(); }
|
||||
}
|
469
static/style.scss
Normal file
@@ -0,0 +1,469 @@
|
||||
body {
|
||||
margin: 0;
|
||||
font-family: "Source Sans Pro", "Open Sans", sans-serif;
|
||||
background: #e1e2e2 url(img/bg.png) repeat fixed 0 0;
|
||||
}
|
||||
|
||||
#menu {
|
||||
background: rgba(22, 22, 23, .8);
|
||||
color: #FFFFFF;
|
||||
cursor: default;
|
||||
line-height: 2em;
|
||||
padding: 0.5em 0;
|
||||
text-align: center;
|
||||
text-shadow: 2px 2px 2px #00000063;
|
||||
top: 0;
|
||||
left: 0;
|
||||
width: 100%;
|
||||
z-index: 9000;
|
||||
|
||||
& > * {
|
||||
color: #fff;
|
||||
cursor: pointer;
|
||||
margin: 0 1em;
|
||||
text-decoration: none;
|
||||
transition: color 0.15s ease;
|
||||
}
|
||||
|
||||
a:hover,
|
||||
a.a-sel {
|
||||
color: #ffe36a;
|
||||
}
|
||||
|
||||
img {
|
||||
filter: drop-shadow(2px 2px 2px #00000020);
|
||||
}
|
||||
}
|
||||
|
||||
#lang-butt {
|
||||
background: transparent;
|
||||
border: none;
|
||||
}
|
||||
|
||||
/* LANG-DROPDOWN */
|
||||
|
||||
#lang-dropdown {
|
||||
position: fixed;
|
||||
z-index: 9100;
|
||||
display: none;
|
||||
opacity: 0;
|
||||
filter: alpha(opacity=0);
|
||||
|
||||
&::before {
|
||||
content: '';
|
||||
display: block;
|
||||
position: absolute;
|
||||
border: 11px solid #333C;
|
||||
border-left: 10px solid rgba(255, 255, 255, 0);
|
||||
border-right: 10px solid rgba(255, 255, 255, 0);
|
||||
border-top: 0px solid rgba(255, 255, 255, 0);
|
||||
top: -10px;
|
||||
left: 50%;
|
||||
margin-left: -6px;
|
||||
}
|
||||
|
||||
& > div {
|
||||
display: block;
|
||||
margin-left: 4px;
|
||||
border-radius: 4px;
|
||||
border: 1px solid #333;
|
||||
box-shadow: 0 0 5px #000;
|
||||
box-shadow: 0 0 10px rgba(0, 0, 0, 0.4);
|
||||
overflow: hidden;
|
||||
background: #333;
|
||||
background: #333E;
|
||||
backdrop-filter: saturate(180%) blur(6px);
|
||||
|
||||
a {
|
||||
display: block;
|
||||
padding: 0 3em 0 1em;
|
||||
font-size: 90%;
|
||||
line-height: 2.5;
|
||||
border-top: 1px solid rgba(255, 255, 255, 0.06);
|
||||
border-bottom: 1px solid rgba(0, 0, 0, 0.07);
|
||||
text-decoration: none;
|
||||
color: #fff !important;
|
||||
|
||||
&:hover {
|
||||
border-bottom: 1px solid #34312eff;
|
||||
border-top: 1px solid #4c4c4cff;
|
||||
background: #444;
|
||||
background: linear-gradient(328deg, #c20d2c7d, #3928c78a);
|
||||
}
|
||||
|
||||
&.a-sel {
|
||||
color: #888 !important;
|
||||
|
||||
img {
|
||||
color: #888 !important;
|
||||
filter: brightness(0.5);
|
||||
}
|
||||
}
|
||||
|
||||
img {
|
||||
display: inline-block;
|
||||
vertical-align: middle;
|
||||
margin-right: 10px;
|
||||
margin-top: -3px;
|
||||
width: 16px;
|
||||
height: 11px;
|
||||
filter: drop-shadow(1px 2px 2px #0003);
|
||||
}
|
||||
|
||||
&:first-child {
|
||||
border-top: none;
|
||||
}
|
||||
|
||||
&:last-child {
|
||||
border-bottom: none;
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
/* ARTICLE */
|
||||
|
||||
#article {
|
||||
background: rgba(254, 255, 255, 1);
|
||||
border: 1px solid #c0b9c491;
|
||||
border-radius: 4px;
|
||||
box-shadow: rgba(28, 26, 40, 0.12) 0 4px 4px -2px;
|
||||
margin: 2em auto;
|
||||
max-width: 910px;
|
||||
padding: 2em;
|
||||
text-align: justify;
|
||||
color: #333;
|
||||
}
|
||||
|
||||
#banner {
|
||||
box-sizing: border-box;
|
||||
border-radius: 4px;
|
||||
box-shadow: inset 0 0 0 1px #00000020;
|
||||
transition: box-shadow 0.3s ease;
|
||||
display: block;
|
||||
margin: 0px 0px 1em;
|
||||
padding: 1.25em;
|
||||
text-decoration: none;
|
||||
|
||||
&:hover {
|
||||
box-shadow: inset 0 0 0 4px #609A21AA;
|
||||
}
|
||||
|
||||
td {
|
||||
text-align: center;
|
||||
vertical-align: center;
|
||||
}
|
||||
|
||||
img {
|
||||
height: 7em;
|
||||
}
|
||||
|
||||
h1 {
|
||||
margin-top: 0em;
|
||||
color: #609A21;
|
||||
font-size: 2.5em;
|
||||
margin: 0 0 16px;
|
||||
}
|
||||
|
||||
p {
|
||||
margin: 0em;
|
||||
}
|
||||
|
||||
.p-link {
|
||||
margin-top: 16px;
|
||||
color: #609A21;
|
||||
font-weight: bold;
|
||||
}
|
||||
|
||||
a {
|
||||
color: #609A21;
|
||||
}
|
||||
}
|
||||
|
||||
h1 {
|
||||
font-size: 125%;
|
||||
padding: 0;
|
||||
margin: 0 0 16px;
|
||||
}
|
||||
|
||||
a {
|
||||
color: #1F1F1F;
|
||||
|
||||
a:hover {
|
||||
color: #000;
|
||||
}
|
||||
}
|
||||
|
||||
p {
|
||||
line-height: 1.5;
|
||||
}
|
||||
|
||||
.p {
|
||||
&-socials {
|
||||
text-align: center;
|
||||
margin-bottom: 0px;
|
||||
|
||||
a {
|
||||
margin: 1em 1em;
|
||||
text-decoration: none;
|
||||
}
|
||||
|
||||
br {
|
||||
margin: 0em 0em 1em;
|
||||
display: none;
|
||||
}
|
||||
|
||||
img {
|
||||
height: 1em;
|
||||
margin-right: 0.5em;
|
||||
margin-bottom: -0.15em;
|
||||
}
|
||||
}
|
||||
|
||||
&-subscription {
|
||||
text-align: center;
|
||||
}
|
||||
}
|
||||
|
||||
/* DOWNLOADS */
|
||||
|
||||
table {
|
||||
width: 100%;
|
||||
border-spacing: 0;
|
||||
|
||||
a {
|
||||
padding-bottom: 1px;
|
||||
border-bottom: 1px solid;
|
||||
text-decoration: none;
|
||||
color: #0472D8;
|
||||
|
||||
&:hover {
|
||||
color: #0053B9;
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
tr {
|
||||
vertical-align: middle;
|
||||
}
|
||||
|
||||
.tr-margin {
|
||||
&-bot > td {
|
||||
padding-bottom: 1em;
|
||||
}
|
||||
|
||||
&-top > td {
|
||||
padding-top: 1em;
|
||||
}
|
||||
}
|
||||
|
||||
td {
|
||||
vertical-align: middle;
|
||||
|
||||
img {
|
||||
vertical-align: middle;
|
||||
}
|
||||
}
|
||||
|
||||
.td {
|
||||
&-image {
|
||||
width: 3em;
|
||||
}
|
||||
|
||||
&-description {
|
||||
text-align: left;
|
||||
width: 40%;
|
||||
|
||||
.beta {
|
||||
border: 1px solid grey;
|
||||
color: grey;
|
||||
font-size: 0.75em;
|
||||
font-weight: bold;
|
||||
border-radius: 0.25em;
|
||||
padding: 0.25em;
|
||||
}
|
||||
}
|
||||
|
||||
&-date {
|
||||
text-align: right;
|
||||
padding-right: 2em;
|
||||
}
|
||||
|
||||
&-languages {
|
||||
text-align: right;
|
||||
|
||||
a + a {
|
||||
display: inline;
|
||||
margin-left: 1em;
|
||||
margin-top: 0em;
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
hr {
|
||||
margin: 0;
|
||||
}
|
||||
|
||||
.help-button {
|
||||
cursor: pointer;
|
||||
display: inline-block;
|
||||
background: #FF9800;
|
||||
border-radius: 4px;
|
||||
box-shadow: inset 0 1px rgba(254,181,94,0.9), inset 0 -2px rgba(0,0,0,0.04);
|
||||
color: #FFFFFF;
|
||||
padding: 0.5em 1em;
|
||||
text-align: center;
|
||||
transition: 0.5s;
|
||||
|
||||
&:hover {
|
||||
background: #F6920B;
|
||||
}
|
||||
}
|
||||
|
||||
acronym {
|
||||
border-bottom: 1px dashed #ccc;
|
||||
text-decoration: none;
|
||||
cursor: help;
|
||||
}
|
||||
|
||||
/* SCREENS.CSS */
|
||||
|
||||
#show {
|
||||
max-width: 1280px;
|
||||
max-height: 800px;
|
||||
width: 100%;
|
||||
height: 100%;
|
||||
cursor: pointer;
|
||||
border: 1px solid #182028;
|
||||
display: block;
|
||||
position: relative;
|
||||
border-radius: 4px;
|
||||
overflow: hidden;
|
||||
|
||||
img {
|
||||
display: none;
|
||||
max-width: 100%;
|
||||
|
||||
&.visible {
|
||||
display: block;
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
iframe {
|
||||
width: 100%;
|
||||
border: none;
|
||||
border-radius: 4px;
|
||||
aspect-ratio: 16 / 9;
|
||||
}
|
||||
|
||||
#carousel {
|
||||
text-align: center;
|
||||
margin: 1.25em auto 1em;
|
||||
}
|
||||
|
||||
#dots {
|
||||
text-align: center;
|
||||
line-height: 1;
|
||||
}
|
||||
|
||||
.dot {
|
||||
display: inline-block;
|
||||
width: 0.625em;
|
||||
height: 0.625em;
|
||||
background: #ccc;
|
||||
border-radius: 50%;
|
||||
margin: 0 0.25em;
|
||||
cursor: pointer;
|
||||
|
||||
&.active {
|
||||
background: #333;
|
||||
}
|
||||
}
|
||||
|
||||
/* FOOTER */
|
||||
|
||||
#footer {
|
||||
margin: 2em auto;
|
||||
text-align: center;
|
||||
color: #848585;
|
||||
display: block;
|
||||
text-align: center;
|
||||
width: 100%;
|
||||
color: rgb(132, 133, 133);
|
||||
text-shadow: rgb(255, 255, 255) 1px 1px 0px;
|
||||
font-size: 90%;
|
||||
|
||||
img {
|
||||
margin-bottom: 0.5em;
|
||||
height: 7em;
|
||||
}
|
||||
|
||||
p {
|
||||
margin: 0;
|
||||
}
|
||||
}
|
||||
|
||||
/* ADAPTIVE LAYOUT */
|
||||
|
||||
@media (max-width:864px) {
|
||||
#article {
|
||||
margin: 0 0 1em;
|
||||
padding: 1em 1em 1.5em;
|
||||
border-radius: 0;
|
||||
}
|
||||
|
||||
#banner {
|
||||
max-width: calc(100% - 2px);
|
||||
margin: 1px 0 1em;
|
||||
outline: 1px solid rgb(227, 227, 227);
|
||||
|
||||
table td {
|
||||
&:first-child,
|
||||
&:last-child {
|
||||
display: none;
|
||||
}
|
||||
}
|
||||
|
||||
h1 {
|
||||
font-size: 1.5em;
|
||||
margin-bottom: 0;
|
||||
}
|
||||
|
||||
p, .p-link {
|
||||
margin-top: 0.5em;
|
||||
}
|
||||
}
|
||||
|
||||
.p-socials a {
|
||||
display: block;
|
||||
margin: 1em 0 0;
|
||||
}
|
||||
|
||||
#menu > * {
|
||||
margin: 0 0.5em;
|
||||
}
|
||||
|
||||
.td {
|
||||
&-description {
|
||||
width: auto;
|
||||
}
|
||||
|
||||
&-date {
|
||||
display: none;
|
||||
padding-right: 1em;
|
||||
padding-left: 1em;
|
||||
}
|
||||
|
||||
&-languages a + a {
|
||||
display: inline-block;
|
||||
white-space: nowrap;
|
||||
margin-top: 0.5em;
|
||||
margin-left: 0em;
|
||||
}
|
||||
}
|
||||
|
||||
#footer {
|
||||
margin: 1em auto;
|
||||
}
|
||||
}
|
431
style.css
@@ -1,431 +0,0 @@
|
||||
@import "reset.css";
|
||||
|
||||
html {
|
||||
overflow-y: scroll;
|
||||
}
|
||||
|
||||
body {
|
||||
color: #333;
|
||||
line-height: 2em;
|
||||
font-family: "Source Sans Pro", "Open Sans", sans-serif;
|
||||
background: #e1e2e2;
|
||||
background: url(i/bg.png) repeat fixed 0 0;
|
||||
}
|
||||
|
||||
#menu {
|
||||
/* position: fixed;*/
|
||||
top: 0;
|
||||
left: 0;
|
||||
width: 100%;
|
||||
text-align: center;
|
||||
padding: 7px 0;
|
||||
z-index:9000;
|
||||
cursor: default;
|
||||
text-shadow: 2px 2px 2px #00000063;
|
||||
|
||||
background: #333;
|
||||
background: rgba(22, 22, 23, .8);
|
||||
/* backdrop-filter: saturate(180%) blur(6px);*/
|
||||
}
|
||||
|
||||
#menu > * {
|
||||
color: #ffffff;;
|
||||
text-decoration: none;
|
||||
margin: 0 1%;
|
||||
font-size: 0.97rem;
|
||||
cursor: pointer;
|
||||
transition: color 0.15s ease;
|
||||
}
|
||||
|
||||
#menu a:hover, #menu a.a {
|
||||
color: #ffe36a;
|
||||
}
|
||||
|
||||
#menu img {
|
||||
filter: drop-shadow(1px 2px 3px #0002);
|
||||
}
|
||||
|
||||
#article, #banner {
|
||||
border-radius: 5px;
|
||||
box-shadow: rgb(28 26 40 / 20%) 2px 6px 20px -2px;
|
||||
border: 1px solid #dbd7dd;
|
||||
border: 1px solid #c0b9c491;
|
||||
;}
|
||||
|
||||
#article {
|
||||
max-width: 910px;
|
||||
margin: auto;
|
||||
margin-top: 30px;
|
||||
text-align: justify;
|
||||
padding: 20px 35px 35px;
|
||||
background: #fff;
|
||||
background: rgba(254, 255, 255, .7);
|
||||
}
|
||||
|
||||
#banner {
|
||||
display: block;
|
||||
margin: auto;
|
||||
margin-top: 18px;
|
||||
margin-bottom: -10px;
|
||||
max-width: 100%;
|
||||
max-height: 100%;
|
||||
width: 900px;
|
||||
border: 1px solid rgba(0,0,0,.14);
|
||||
box-shadow: none;
|
||||
transition: outline 0.5s ease;
|
||||
outline: 5px solid rgb(227 227 227);
|
||||
}
|
||||
|
||||
#banner:hover {
|
||||
outline-color: lightblue;
|
||||
}
|
||||
|
||||
#banner.big {
|
||||
height: 250px;
|
||||
}
|
||||
|
||||
|
||||
#article.index_russian > p {
|
||||
text-indent: 25px;
|
||||
}
|
||||
|
||||
strong {
|
||||
color: #000;
|
||||
font-weight: bold;
|
||||
}
|
||||
|
||||
h1 {
|
||||
color: #000;
|
||||
padding: 10px 0px;
|
||||
font-size: 130%;
|
||||
}
|
||||
|
||||
#footer {
|
||||
padding: 1.2%;
|
||||
font-size: 90%;
|
||||
text-align: center;
|
||||
color: #848585;
|
||||
text-shadow: 1px 1px 0 #fff;
|
||||
background: no-repeat center url(i/logo.png);
|
||||
background-position-y: 60px;
|
||||
padding-bottom: 100px;
|
||||
}
|
||||
|
||||
a {
|
||||
color: #1F1F1F;
|
||||
text-decoration: underline;
|
||||
}
|
||||
|
||||
a:hover {
|
||||
text-decoration: none;
|
||||
}
|
||||
|
||||
/* Dropdown */
|
||||
|
||||
#lang-dropdown {
|
||||
position: fixed;
|
||||
z-index:9100;
|
||||
display: none;
|
||||
opacity: 0;
|
||||
filter:alpha(opacity=0);
|
||||
}
|
||||
|
||||
#lang-dropdown::before {
|
||||
content: '';
|
||||
display: block;
|
||||
position: absolute;
|
||||
border: 11px solid #333C;
|
||||
border-left: 10px solid rgba(255, 255, 255, 0);
|
||||
border-right: 10px solid rgba(255, 255, 255, 0);
|
||||
border-top: 0px solid rgba(255, 255, 255, 0);
|
||||
top: -10px;
|
||||
left: 50%;
|
||||
margin-left: -10px;
|
||||
}
|
||||
|
||||
#lang-dropdown > div {
|
||||
display: block;
|
||||
border-radius: 5px;
|
||||
border: 1px solid #333;
|
||||
box-shadow: 0 0 5px #000;
|
||||
box-shadow: 0 0 10px rgba(0,0,0,0.4);
|
||||
overflow: hidden;
|
||||
background: #333;
|
||||
background: #333E;
|
||||
backdrop-filter: saturate(180%) blur(6px);
|
||||
}
|
||||
|
||||
#lang-dropdown > div a {
|
||||
display: block;
|
||||
padding: 0 50px 0 20px;
|
||||
font-size: 0.8em;
|
||||
line-height: 3;
|
||||
border-top: 1px solid rgba(255, 255, 255, 0.06);
|
||||
border-bottom: 1px solid rgba(0, 0, 0, 0.07);
|
||||
text-decoration: none;
|
||||
color: #fff !important;
|
||||
text-shadow: 1px 1px #000;
|
||||
}
|
||||
|
||||
#lang-dropdown > div a:hover {
|
||||
border-bottom: 1px solid #34312eff;
|
||||
border-top:1px solid #4c4c4cff;
|
||||
background: #444;
|
||||
background: linear-gradient(328deg, #c20d2c7d, #3928c78a);
|
||||
}
|
||||
|
||||
#lang-dropdown > div a.sel {
|
||||
color: #888 !important;
|
||||
}
|
||||
#lang-dropdown > div a.sel img {
|
||||
color: #888 !important;
|
||||
filter: brightness(0.5);
|
||||
}
|
||||
|
||||
#lang-dropdown > div a img {
|
||||
display: inline-block;
|
||||
vertical-align: middle;
|
||||
margin-right: 10px;
|
||||
margin-top: -3px;
|
||||
width:16px;
|
||||
height:11px;
|
||||
filter: drop-shadow(1px 2px 2px #0003);
|
||||
}
|
||||
|
||||
#lang-dropdown > div a:first-child {
|
||||
border-top: none;
|
||||
}
|
||||
|
||||
#lang-dropdown > div a:last-child {
|
||||
border-bottom: none;
|
||||
}
|
||||
|
||||
/* DOWNLOAD.CSS */
|
||||
|
||||
table {
|
||||
width: 95%;
|
||||
margin: auto;
|
||||
}
|
||||
|
||||
.download table {
|
||||
margin-top: 15px;
|
||||
margin-bottom: 20px;
|
||||
}
|
||||
|
||||
.download table [colspan="3"] {
|
||||
padding-top: 30px;
|
||||
}
|
||||
|
||||
.download table [colspan="3"] a {
|
||||
padding-bottom: 1px;
|
||||
border-bottom: 1px dashed #ccc;
|
||||
margin-left: 10px;
|
||||
text-align: right;
|
||||
float: right;
|
||||
line-height: 1.2;
|
||||
padding-top: 5px;
|
||||
}
|
||||
|
||||
td {
|
||||
vertical-align: middle;
|
||||
padding: 10px 0;
|
||||
text-align: right;
|
||||
}
|
||||
|
||||
.date_cell {
|
||||
padding-left: 10px;
|
||||
padding-right: 15px;
|
||||
text-align: center;
|
||||
}
|
||||
|
||||
.download table tr > :first-child {
|
||||
width: 32px;
|
||||
}
|
||||
|
||||
.download td img {
|
||||
vertical-align: middle;
|
||||
}
|
||||
|
||||
.download .description_cell {
|
||||
padding: 14px 18px;
|
||||
padding-left: 18px;
|
||||
padding-right: auto;
|
||||
line-height: 1.2em;
|
||||
text-align: left;
|
||||
margin: 3px 0;
|
||||
width: 46%;
|
||||
}
|
||||
|
||||
.download table a {
|
||||
margin: 0 6px;
|
||||
padding-bottom: 1px;
|
||||
border-bottom: 1px solid;
|
||||
text-decoration: none;
|
||||
color: rgb(4, 114, 216);
|
||||
position: relative;
|
||||
top: -1px;
|
||||
}
|
||||
|
||||
.download p {
|
||||
line-height:1.4;
|
||||
margin: 20px 0;
|
||||
}
|
||||
|
||||
/* SCREENS.CSS */
|
||||
|
||||
#screen {
|
||||
/*
|
||||
position: absolute;
|
||||
top: 0;
|
||||
left: 0;
|
||||
width: 100%;
|
||||
height: 100%;
|
||||
*/
|
||||
}
|
||||
|
||||
#show {
|
||||
max-width: 1280px;
|
||||
max-height: 800px;
|
||||
width: 100%;
|
||||
height: 100%;
|
||||
cursor: pointer;
|
||||
border: 1px solid #182028;
|
||||
display: block;
|
||||
position: relative;
|
||||
border-radius: 5px;
|
||||
overflow: hidden;
|
||||
}
|
||||
|
||||
#show img {
|
||||
display: none;
|
||||
max-width: 100%;
|
||||
}
|
||||
|
||||
#show img.visible {
|
||||
display: block;
|
||||
}
|
||||
|
||||
iframe {
|
||||
max-width: 100%;
|
||||
}
|
||||
|
||||
|
||||
/* Adaptive coding */
|
||||
|
||||
@media (max-width:1280px) {
|
||||
#menu {
|
||||
position: static;
|
||||
}
|
||||
#show {
|
||||
margin-left: 0;
|
||||
border-radius: 0;
|
||||
left: 0;
|
||||
top: 0;
|
||||
border: none;
|
||||
}
|
||||
#article {
|
||||
margin-top: 20px;
|
||||
}
|
||||
}
|
||||
|
||||
@media (max-width:864px) {
|
||||
#article, #footer, #screen, #show, #menu {
|
||||
position: static;
|
||||
}
|
||||
html {
|
||||
overflow-y: auto;
|
||||
}
|
||||
#article {
|
||||
margin-top: 0;
|
||||
line-height: 1.45em;
|
||||
padding: 1% 4%;
|
||||
border-radius: 0;
|
||||
}
|
||||
#banner {
|
||||
max-height: 98%;
|
||||
max-width: 98%;
|
||||
width: auto;
|
||||
height: auto !important;
|
||||
}
|
||||
a.nav, #text_preview, .date_cell {
|
||||
display: none !important;
|
||||
visibility: collapse;
|
||||
}
|
||||
table {
|
||||
width: 100%;
|
||||
}
|
||||
#menu {
|
||||
padding: 5px 10px;
|
||||
width: auto;
|
||||
}
|
||||
#menu > a {
|
||||
margin: 2%;
|
||||
}
|
||||
#menu a.notrequired {
|
||||
display: none !important;
|
||||
visibility: collapse;
|
||||
}
|
||||
#show {
|
||||
display: inline;
|
||||
margin: 0;
|
||||
display: block;
|
||||
border: none;
|
||||
overflow: visible;
|
||||
margin-top: 40px;
|
||||
}
|
||||
.download table a {
|
||||
float: left;
|
||||
display: block;
|
||||
margin: 5px;
|
||||
padding-bottom: 0;
|
||||
}
|
||||
}
|
||||
|
||||
|
||||
.beta:after{
|
||||
content: "BETA";
|
||||
border: 1px solid #708d9b;
|
||||
border-radius: 3px;
|
||||
color: #506d7b;
|
||||
text-align: center;
|
||||
font-size: 7px;
|
||||
font-family: sans-serif;
|
||||
font-weight: bold;
|
||||
line-height: 27px;
|
||||
padding: 2px 3px;
|
||||
letter-spacing: .5px;
|
||||
position: relative;
|
||||
top: -4px;
|
||||
left: 5px;
|
||||
}
|
||||
|
||||
|
||||
.download table button.help-button {
|
||||
font-weight: bold;
|
||||
text-decoration: none;
|
||||
display: inline-block;
|
||||
float: left;
|
||||
|
||||
background-color: #ED8B16;
|
||||
background-image: linear-gradient(center top , #EF962B 0%, #ED8B16 100%);
|
||||
border: 0 none;
|
||||
border-radius: 3px;
|
||||
box-shadow: 0 1px 0 rgba(254, 181, 94, 0.9) inset, 0 -2px 0 rgba(0, 0, 0, 0.04) inset;
|
||||
color: #FFFFFF;
|
||||
font-size: 13px;
|
||||
padding: 0.5em 1.5em;
|
||||
text-align: center;
|
||||
text-shadow: 0 1px 0 rgba(222, 122, 0, 0.8);
|
||||
margin: 0 0 0 18px;
|
||||
transition: .5s;
|
||||
}
|
||||
|
||||
.download table button.help-button:hover {
|
||||
background: #ff9800;
|
||||
}
|
||||
|
||||
acronym {
|
||||
border-bottom: 1px dashed #ccc;
|
||||
text-decoration: none;
|
||||
cursor: help;
|
||||
}
|
99
templates/download.html
Normal file
@@ -0,0 +1,99 @@
|
||||
<!doctype html>
|
||||
<html lang="{{ lang }}" onmouseup="dropdown_hide()">
|
||||
|
||||
{% include 'tmpl/_header.htm' %}
|
||||
|
||||
<body onkeydown="checkkey(event)">
|
||||
|
||||
{% include 'tmpl/_lang-dropdown.htm' %}
|
||||
|
||||
{% include 'tmpl/_menu.htm' %}
|
||||
|
||||
<div id="article">
|
||||
<h1>{{ _('downloads:header') }}</h1>
|
||||
<table>
|
||||
{% for ext, alt in (
|
||||
('img', 'floppy'),
|
||||
('iso', 'cd'),
|
||||
('distr', 'universal'),
|
||||
('raw', 'uefi')
|
||||
) %}
|
||||
<tr class="tr-margin-bot">
|
||||
<td class="td-image" width="40">
|
||||
<img src="{{ url_for('static', filename='img/icons/i_%s.png' % alt) }}" alt="{{ alt }}">
|
||||
</td>
|
||||
<td class="td-description">
|
||||
{{ _('downloads:%s-descr' % ext) }}
|
||||
{% if ext == 'raw' %}
|
||||
<span class="beta">BETA</span>
|
||||
{% endif %}
|
||||
</td>
|
||||
<td class="td-date">
|
||||
{{ autobuild_date }}
|
||||
</td>
|
||||
<td class="td-languages">
|
||||
{% for l, lang in (
|
||||
('en_US', 'English'),
|
||||
('ru_RU', 'Русский'),
|
||||
('es_ES', 'Español')
|
||||
) %}
|
||||
<a href="//builds.kolibrios.org/{{ l }}/latest-{{ ext }}.7z"
|
||||
title="ver. $autobuild_cmtid_{{ l }}, $autobuild_size_{{ l }}_{{ ext }}">{{ lang }}</a>
|
||||
{% endfor %}
|
||||
</td>
|
||||
</tr>
|
||||
{% endfor %}
|
||||
<tr>
|
||||
<td colspan="4">
|
||||
<hr />
|
||||
</td>
|
||||
</tr>
|
||||
<tr class="tr-margin-top">
|
||||
<td class="td-description" colspan="2">
|
||||
<div role="button" class="help-button"
|
||||
onclick="alert('{{ _('downloads:download_help') }}');">
|
||||
{{ _('downloads:download_choice') }}
|
||||
</div>
|
||||
<td class="td-date">
|
||||
<a href="//archive.kolibrios.org/ru/">{{ _('downloads:prev_rev') }}</a>
|
||||
</td>
|
||||
<td class="td-languages">
|
||||
<a href="//builds.kolibrios.org/">{{ _('downloads:all_rev') }}</a>
|
||||
</td>
|
||||
</tr>
|
||||
</table>
|
||||
|
||||
<p>
|
||||
{{ _(
|
||||
'downloads:download_description',
|
||||
kolibrios="<b>{0}</b>"
|
||||
.format(_('title:index')),
|
||||
zip="<a href='http://www.7-zip.org' target='_blank'>7zip</a>",
|
||||
gpl="<a href='http://www.gnu.org/licenses/gpl-2.0.html' target='_blank'>GPLv2</a>",
|
||||
git="<a href='https://git.kolibrios.org'>{0}</a>"
|
||||
.format(_('downloads:git-server'))
|
||||
) | safe }}
|
||||
</p>
|
||||
|
||||
<h1>{{ _('screenshots:header') }}</h1>
|
||||
|
||||
<div id="screen" onclick="next()">
|
||||
<div id="show">
|
||||
{% for i in range(1, 7) %}
|
||||
<img
|
||||
id="slide{{ i }}"
|
||||
src="{{ url_for('static', filename='img/screenshots/%d.png' % i ) }}"
|
||||
{% if i == 1 %}class="visible"{% endif %}
|
||||
alt="{{ _('screenshots:%d' % i) }}"
|
||||
>
|
||||
{% endfor %}
|
||||
</div>
|
||||
</div>
|
||||
<div id="carousel"></div>
|
||||
<div id="dots"></div>
|
||||
</div>
|
||||
|
||||
{% include 'tmpl/_footer.htm' %}
|
||||
</body>
|
||||
|
||||
</html>
|
23
templates/index.html
Normal file
@@ -0,0 +1,23 @@
|
||||
<!doctype html>
|
||||
<html lang="{{ lang }}" onmouseup="dropdown_hide()">
|
||||
|
||||
{% include 'tmpl/_header.htm' %}
|
||||
|
||||
<body onkeydown="checkkey(event)">
|
||||
|
||||
{% include 'tmpl/_lang-dropdown.htm' %}
|
||||
|
||||
{% include 'tmpl/_menu.htm' %}
|
||||
|
||||
<div id="article">
|
||||
{% include 'tmpl/_git.htm' %}
|
||||
|
||||
{% include 'tmpl/_article.htm' %}
|
||||
|
||||
{% include 'tmpl/_socials.htm' %}
|
||||
</div>
|
||||
|
||||
{% include 'tmpl/_footer.htm' %}
|
||||
</body>
|
||||
|
||||
</html>
|
40
templates/tmpl/_article.htm
Normal file
@@ -0,0 +1,40 @@
|
||||
<p>
|
||||
{{ _(
|
||||
'article:p1',
|
||||
kolibrios="<b>{0}</b>"
|
||||
.format(_('menu:kolibrios')),
|
||||
drivers="<a href='http://wiki.kolibrios.org/wiki/Hardware_Support'>{0}</a>"
|
||||
.format(_('article:drivers'))
|
||||
) | safe }}
|
||||
</p>
|
||||
|
||||
<iframe src="https://www.youtube.com/embed/IEi25wYyj20" allowfullscreen="true"></iframe>
|
||||
|
||||
<p>
|
||||
{{ _(
|
||||
'article:p2',
|
||||
kolibrios="<b>{0}</b>"
|
||||
.format(_('menu:kolibrios')),
|
||||
fasm="<a href='http://www.flatassembler.net' target='_blank'>FASM</a>"
|
||||
) | safe }}
|
||||
</p>
|
||||
|
||||
<p>
|
||||
{{ _(
|
||||
'article:p3',
|
||||
kolibrios="<b>{0}</b>"
|
||||
.format(_('menu:kolibrios')),
|
||||
feedback="<a href='http://board.kolibrios.org'>{0}</a>"
|
||||
.format(_('article:feedback')),
|
||||
help="<a href='https://git.kolibrios.org/KolibriOS/kolibrios'>{0}</a>"
|
||||
.format(_('article:help'))
|
||||
) | safe }}
|
||||
</p>
|
||||
|
||||
<p class="p-subscription">
|
||||
<b>
|
||||
{{ _('article:p_subscription') }}
|
||||
<br/>
|
||||
{{ _('footer:team') }}
|
||||
</b>
|
||||
</p>
|
7
templates/tmpl/_footer.htm
Normal file
@@ -0,0 +1,7 @@
|
||||
<div id="footer">
|
||||
<img src="{{ url_for('static', filename='img/logo.png') }}" alt="KolibriOS">
|
||||
<p>
|
||||
© 2004 – {{ year }} <br />
|
||||
{{ _('footer:team') }}
|
||||
</p>
|
||||
</div>
|
19
templates/tmpl/_git.htm
Normal file
@@ -0,0 +1,19 @@
|
||||
<a id="banner" href="https://git.kolibrios.org" target="_blank">
|
||||
<table>
|
||||
<tr>
|
||||
<td valign="top" width="128">
|
||||
<img src="{{ url_for('static', filename='img/logo.png') }}" alt="KolibriOS">
|
||||
</td>
|
||||
<td valign="top">
|
||||
<h1>{{ _('git:header') }}</h1>
|
||||
<p>{{ _('git:text') }}</p>
|
||||
<p class="p-link">
|
||||
<a href="https://git.kolibrios.org">https://git.kolibrios.org</a>
|
||||
</p>
|
||||
</td>
|
||||
<td valign="top" width="128">
|
||||
<img src="{{ url_for('static', filename='img/gitea.png') }}" alt="Gitea">
|
||||
</td>
|
||||
</tr>
|
||||
</table>
|
||||
</a>
|
11
templates/tmpl/_header.htm
Normal file
@@ -0,0 +1,11 @@
|
||||
<head>
|
||||
<meta charset="utf-8">
|
||||
<title>{{ _('title:%s' % request.url_rule.endpoint) }}</title>
|
||||
<link rel="icon" type="image/x-icon" href="{{ url_for('static', filename='favicon.ico') }}">
|
||||
<meta name="description" content="{{ _('header:%s' % request.url_rule.endpoint) }}">
|
||||
<meta name="keywords"
|
||||
content="kolibri, kolibrios, колибри, колибриос, colibri, operating system, assembler, калибри, fasm, alternate, open source">
|
||||
<meta name="viewport" content="width=device-width">
|
||||
<link rel="stylesheet" type="text/css" href="{{ url_for('static', filename='style.css') }}">
|
||||
<script src="{{ url_for('static', filename='script.js') }}"></script>
|
||||
</head>
|
26
templates/tmpl/_lang-dropdown.htm
Normal file
@@ -0,0 +1,26 @@
|
||||
<div id="lang-dropdown">
|
||||
<div>
|
||||
{%- for lang_code in g.locales_name.keys() %}
|
||||
{% set lang_name = g.locales_name[lang_code] %}
|
||||
{%- if request.view_args["lang"] == lang_code %}
|
||||
<font bg=#FF9800>
|
||||
<a class="a-sel" href="{{ url_for(request.url_rule.endpoint, lang=lang_code) }}">
|
||||
<img
|
||||
src="{{ url_for('static', filename='img/flags/%s.png' % lang_code) }}"
|
||||
alt="{{ lang_code }}"
|
||||
>
|
||||
{{ lang_name }}
|
||||
</a>
|
||||
</font>
|
||||
{%- else %}
|
||||
<a href="{{ url_for(request.url_rule.endpoint, lang=lang_code) }}">
|
||||
<img
|
||||
src="{{ url_for('static', filename='img/flags/%s.png' % lang_code) }}"
|
||||
alt="{{ lang_code }}"
|
||||
>
|
||||
{{ lang_name }}
|
||||
</a>
|
||||
{%- endif %}
|
||||
{%- endfor %}
|
||||
</div>
|
||||
</div>
|
25
templates/tmpl/_menu.htm
Normal file
@@ -0,0 +1,25 @@
|
||||
<nav id="menu">
|
||||
<a href="{{ url_for('index', lang=g.locale) }}" class="{% if request.endpoint == 'index' %}a-sel{% endif %}">
|
||||
{% if current == 'index' %}
|
||||
<font bg="lightblue">{{ _('menu:kolibrios') }}</font>
|
||||
{% else %}
|
||||
{{ _('menu:kolibrios') }}
|
||||
{% endif %}
|
||||
</a>
|
||||
|
||||
<a href="{{ url_for('download', lang=g.locale) }}" class="{% if request.endpoint == 'download' %}a-sel{% endif %}">
|
||||
{% if current == 'download' %}
|
||||
<font bg="lightblue">{{ _('menu:download') }}</font>
|
||||
{% else %}
|
||||
{{ _('menu:download') }}
|
||||
{% endif %}
|
||||
</a>
|
||||
|
||||
<a href="https://board.kolibrios.org">{{ _('menu:forum') }}</a>
|
||||
<a href="https://wiki.kolibrios.org/wiki/Main_Page/{{ g.locale }}">{{ _('menu:wiki') }}</a>
|
||||
<a href="https://git.kolibrios.org">Git</a>
|
||||
|
||||
<button onclick="dropdown_show(this)" id="lang-butt">
|
||||
<img src="{{ url_for('static', filename='img/flags/%s.png' % g.locale) }}" alt="{{ g.locale }}">
|
||||
</button>
|
||||
</nav>
|
17
templates/tmpl/_socials.htm
Normal file
@@ -0,0 +1,17 @@
|
||||
<p class="p-socials">
|
||||
<a href="https://t.me/kolibrios_news" target="_blank">
|
||||
<img src="{{ url_for('static', filename='img/icons/i_telegram.png') }}" alt="Telegram">Telegram
|
||||
</a>
|
||||
<br />
|
||||
<a href="https://discord.com/invite/FeB2NvE6bF" target="_blank">
|
||||
<img src="{{ url_for('static', filename='img/icons/i_discord.png') }}" alt="Discord">Discord
|
||||
</a>
|
||||
<br />
|
||||
<a href="https://www.facebook.com/groups/kolibrios/" target="_blank">
|
||||
<img src="{{ url_for('static', filename='img/icons/i_facebook.png') }}" alt="Facebook">Facebook
|
||||
</a>
|
||||
<br />
|
||||
<a href="https://www.reddit.com/r/KolibriOS/" target="_blank">
|
||||
<img src="{{ url_for('static', filename='img/icons/i_reddit.png') }}" alt="Reddit">Reddit
|
||||
</a>
|
||||
</p>
|