mirror of https://github.com/Tim-Paik/neutauri
16 changed files with 501 additions and 311 deletions
@ -0,0 +1,6 @@
|
||||
[profile.release] |
||||
lto = true |
||||
opt-level = "z" |
||||
|
||||
[target.x86_64-pc-windows-msvc] |
||||
rustflags = ["-C", "target-feature=+crt-static"] |
@ -0,0 +1,17 @@
|
||||
# Neutauri Config |
||||
|
||||
## Source and Target |
||||
source = "web_src" |
||||
target = "neutauri_demo" |
||||
|
||||
## Window |
||||
always_on_top = false |
||||
decorations = true |
||||
fullscreen = false |
||||
inner_size = "Small" ## "Small", "Medium", "Large" |
||||
maximized = false |
||||
resizable = true |
||||
spa = false |
||||
title = "Neutauri Demo" |
||||
transparent = false |
||||
visible = true |
@ -0,0 +1,332 @@
|
||||
use bincode::Options; |
||||
use serde::{Deserialize, Serialize}; |
||||
use std::{ |
||||
fs, |
||||
io::{self, Read, Result}, |
||||
path::{self, Component, Path, PathBuf}, |
||||
}; |
||||
use wry::application::dpi::Position; |
||||
|
||||
const MAGIC_NUMBER_START: &[u8; 9] = b"NEUTFSv01"; |
||||
const MAGIC_NUMBER_END: &[u8; 9] = b"NEUTFSEnd"; |
||||
const USIZE_LEN: usize = usize::MAX.to_be_bytes().len(); |
||||
|
||||
#[non_exhaustive] |
||||
#[derive(Serialize, Deserialize, Clone, Debug)] |
||||
pub enum Compress { |
||||
Brotli, |
||||
None, |
||||
} |
||||
|
||||
#[derive(Serialize, Deserialize, Clone, Debug)] |
||||
pub struct File { |
||||
mime: String, |
||||
data: Vec<u8>, |
||||
compress: Compress, |
||||
} |
||||
|
||||
#[derive(Serialize, Deserialize, Debug)] |
||||
struct Dir { |
||||
files: Vec<(String, File)>, |
||||
dirs: Vec<(String, Dir)>, |
||||
} |
||||
|
||||
#[derive(Serialize, Deserialize, Debug)] |
||||
pub struct Data { |
||||
pub window_attr: WindowAttr, |
||||
pub webview_attr: WebViewAttr, |
||||
fs: Dir, |
||||
} |
||||
|
||||
#[derive(Serialize, Deserialize, Copy, Clone, Debug)] |
||||
pub enum WindowSize { |
||||
Large, |
||||
Medium, |
||||
Small, |
||||
Fixed { width: f64, height: f64 }, |
||||
Scale { factor: f64 }, |
||||
} |
||||
|
||||
#[derive(Serialize, Deserialize, Clone, Debug)] |
||||
pub struct Config { |
||||
pub source: PathBuf, |
||||
pub target: PathBuf, |
||||
pub inner_size: Option<WindowSize>, |
||||
pub min_inner_size: Option<WindowSize>, |
||||
pub max_inner_size: Option<WindowSize>, |
||||
pub resizable: bool, |
||||
pub fullscreen: bool, |
||||
pub title: String, |
||||
pub maximized: bool, |
||||
pub visible: bool, |
||||
pub transparent: bool, |
||||
pub decorations: bool, |
||||
pub always_on_top: bool, |
||||
pub window_icon: Option<PathBuf>, |
||||
pub spa: bool, |
||||
pub url: Option<String>, |
||||
pub html: Option<PathBuf>, |
||||
pub initialization_script: Option<String>, |
||||
} |
||||
|
||||
#[derive(Serialize, Deserialize, Clone, Debug, Default)] |
||||
pub struct Icon { |
||||
pub rgba: Vec<u8>, |
||||
pub width: u32, |
||||
pub height: u32, |
||||
} |
||||
|
||||
#[derive(Serialize, Deserialize, Clone, Debug)] |
||||
pub struct WindowAttr { |
||||
pub inner_size: Option<WindowSize>, |
||||
pub min_inner_size: Option<WindowSize>, |
||||
pub max_inner_size: Option<WindowSize>, |
||||
pub position: Option<Position>, |
||||
pub resizable: bool, |
||||
pub fullscreen: bool, |
||||
pub title: String, |
||||
pub maximized: bool, |
||||
pub visible: bool, |
||||
pub transparent: bool, |
||||
pub decorations: bool, |
||||
pub always_on_top: bool, |
||||
pub window_icon: Option<Icon>, |
||||
} |
||||
|
||||
#[derive(Serialize, Deserialize, Clone, Debug)] |
||||
pub struct WebViewAttr { |
||||
pub visible: bool, |
||||
pub transparent: bool, |
||||
pub spa: bool, |
||||
pub url: Option<String>, |
||||
pub html: Option<String>, |
||||
pub initialization_script: Option<String>, |
||||
} |
||||
|
||||
impl Dir { |
||||
// 使用本地文件系统填充 Dir 结构体
|
||||
fn fill_with<P: AsRef<path::Path>>( |
||||
&mut self, |
||||
root: P, |
||||
path: P, |
||||
length: &mut u64, |
||||
) -> Result<()> { |
||||
// 遍历目录
|
||||
for entry in fs::read_dir(path)? { |
||||
let path = entry?.path(); |
||||
// 获取目录/文件名,如果为".."则跳过
|
||||
let name = match path.file_name() { |
||||
Some(s) => match s.to_str() { |
||||
Some(s) => s.to_string(), |
||||
None => break, |
||||
}, |
||||
None => break, |
||||
}; |
||||
// 优先填充文件
|
||||
if path.is_file() { |
||||
let mut source = fs::File::open(&path)?; |
||||
let mime = new_mime_guess::from_path(&path) |
||||
.first_or_octet_stream() |
||||
.to_string(); |
||||
let mut data = brotli::CompressorReader::new(&mut source, 4096, 9, 21); |
||||
let mut buffer = Vec::new(); |
||||
data.read_to_end(&mut buffer)?; |
||||
let size = buffer.len(); |
||||
let file = File { |
||||
mime, |
||||
data: buffer, |
||||
compress: Compress::Brotli, |
||||
}; |
||||
*length += size as u64; |
||||
self.files.push((name, file)); |
||||
} else if path.is_dir() { |
||||
// 构造子目录
|
||||
let mut dir = Dir { |
||||
files: Vec::new(), |
||||
dirs: Vec::new(), |
||||
}; |
||||
// 填充子目录
|
||||
dir.fill_with(root.as_ref(), &path, length)?; |
||||
self.dirs.push((name, dir)); |
||||
} |
||||
} |
||||
Ok(()) |
||||
} |
||||
} |
||||
|
||||
impl Data { |
||||
pub fn build_from_dir<P: AsRef<path::Path>>( |
||||
source: P, |
||||
window_attr: WindowAttr, |
||||
webview_attr: WebViewAttr, |
||||
) -> Result<Vec<u8>> { |
||||
let embed_fs = Self::from_dir(source, window_attr, webview_attr)?; |
||||
embed_fs.build() |
||||
} |
||||
|
||||
fn from_dir<P: AsRef<path::Path>>( |
||||
source: P, |
||||
window_attr: WindowAttr, |
||||
webview_attr: WebViewAttr, |
||||
) -> Result<Self> { |
||||
let source = source.as_ref(); |
||||
let mut length: u64 = 0; |
||||
let mut dir = Dir { |
||||
files: Vec::new(), |
||||
dirs: Vec::new(), |
||||
}; |
||||
dir.fill_with(source, source, &mut length)?; |
||||
Ok(Self { |
||||
fs: dir, |
||||
window_attr, |
||||
webview_attr, |
||||
}) |
||||
} |
||||
|
||||
fn build(self) -> Result<Vec<u8>> { |
||||
let serialize_options = bincode::DefaultOptions::new() |
||||
.with_fixint_encoding() |
||||
.allow_trailing_bytes() |
||||
.with_limit(104857600 /* 100MiB */); |
||||
// 构建文件头
|
||||
let data = match serialize_options.serialize(&self) { |
||||
Ok(vec) => vec, |
||||
Err(e) => { |
||||
return Err(io::Error::new(io::ErrorKind::InvalidData, e)); |
||||
} |
||||
}; |
||||
|
||||
let mut target: Vec<u8> = Vec::new(); |
||||
target.extend(MAGIC_NUMBER_START); |
||||
target.extend(&data.len().to_be_bytes()); |
||||
target.extend(&data); |
||||
let target_length = target.len(); |
||||
let target_length = target_length + USIZE_LEN; |
||||
let target_length = target_length + MAGIC_NUMBER_END.len(); |
||||
target.extend(target_length.to_be_bytes()); |
||||
target.extend(MAGIC_NUMBER_END); |
||||
|
||||
Ok(target) |
||||
} |
||||
|
||||
pub fn pack<P: AsRef<path::Path>>(config_path: P) -> Result<()> { |
||||
let config_path = config_path.as_ref().canonicalize()?; |
||||
let config: Config = toml::from_str(fs::read_to_string(&config_path)?.as_str())?; |
||||
let source = match config_path.parent() { |
||||
Some(path) => path.join(&config.source).canonicalize()?, |
||||
None => config.source.canonicalize()?, |
||||
}; |
||||
let target = match config_path.parent() { |
||||
Some(path) => normalize_path(&path.join(&config.target)), |
||||
None => normalize_path(&config.target), |
||||
}; |
||||
fs::write( |
||||
target, |
||||
Self::build_from_dir(source, config.window_attr()?, config.webview_attr()?)?, |
||||
)?; |
||||
Ok(()) |
||||
} |
||||
} |
||||
|
||||
impl Default for Config { |
||||
fn default() -> Self { |
||||
Self { |
||||
source: PathBuf::from("."), |
||||
target: PathBuf::from("app.neu"), |
||||
inner_size: Some(WindowSize::Medium), |
||||
min_inner_size: None, |
||||
max_inner_size: None, |
||||
resizable: true, |
||||
fullscreen: false, |
||||
title: "".to_string(), |
||||
maximized: false, |
||||
visible: true, |
||||
transparent: false, |
||||
decorations: true, |
||||
always_on_top: false, |
||||
window_icon: None, |
||||
spa: false, |
||||
url: Some("/index.html".to_string()), |
||||
html: None, |
||||
initialization_script: Some("".to_string()), |
||||
} |
||||
} |
||||
} |
||||
|
||||
impl Config { |
||||
pub fn window_attr(&self) -> Result<WindowAttr> { |
||||
Ok(WindowAttr { |
||||
inner_size: self.inner_size, |
||||
min_inner_size: self.min_inner_size, |
||||
max_inner_size: self.max_inner_size, |
||||
position: None, |
||||
resizable: self.resizable, |
||||
fullscreen: self.fullscreen, |
||||
title: self.title.clone(), |
||||
maximized: self.maximized, |
||||
visible: self.visible, |
||||
transparent: self.transparent, |
||||
decorations: self.decorations, |
||||
always_on_top: self.always_on_top, |
||||
window_icon: match &self.window_icon { |
||||
Some(path) => Some(load_icon(path.as_path())?), |
||||
None => None, |
||||
}, |
||||
}) |
||||
} |
||||
pub fn webview_attr(&self) -> Result<WebViewAttr> { |
||||
Ok(WebViewAttr { |
||||
visible: self.visible, |
||||
transparent: self.transparent, |
||||
spa: self.spa, |
||||
url: self.url.clone(), |
||||
html: match &self.html { |
||||
Some(path) => fs::read_to_string(path.as_path()).ok(), |
||||
None => None, |
||||
}, |
||||
initialization_script: self.initialization_script.clone(), |
||||
}) |
||||
} |
||||
} |
||||
|
||||
pub fn pack<P: AsRef<path::Path>>(config: P) -> Result<()> { |
||||
Data::pack(config) |
||||
} |
||||
|
||||
fn load_icon(path: &Path) -> Result<Icon> { |
||||
let image = image::open(path) |
||||
.map_err(|e| io::Error::new(io::ErrorKind::Other, e))? |
||||
.to_rgba8(); |
||||
Ok(Icon { |
||||
width: image.dimensions().0, |
||||
height: image.dimensions().1, |
||||
rgba: image.into_raw(), |
||||
}) |
||||
} |
||||
|
||||
pub fn normalize_path(path: &Path) -> PathBuf { |
||||
let mut components = path.components().peekable(); |
||||
let mut ret = if let Some(c @ Component::Prefix(..)) = components.peek().cloned() { |
||||
components.next(); |
||||
PathBuf::from(c.as_os_str()) |
||||
} else { |
||||
PathBuf::new() |
||||
}; |
||||
|
||||
for component in components { |
||||
match component { |
||||
Component::Prefix(..) => unreachable!(), |
||||
Component::RootDir => { |
||||
ret.push(component.as_os_str()); |
||||
} |
||||
Component::CurDir => {} |
||||
Component::ParentDir => { |
||||
ret.pop(); |
||||
} |
||||
Component::Normal(c) => { |
||||
ret.push(c); |
||||
} |
||||
} |
||||
} |
||||
ret |
||||
} |
@ -1,15 +1,41 @@
|
||||
use clap::Parser; |
||||
use std::{fs, io::Write}; |
||||
|
||||
/// Simple program to greet a person
|
||||
#[derive(Parser, Debug)] |
||||
#[clap(author, version, about, long_about = None)] |
||||
struct Args { |
||||
/// Path to Congfig
|
||||
#[clap(short, long)] |
||||
config: String, |
||||
} |
||||
mod data; |
||||
|
||||
fn main() { |
||||
let args = Args::parse(); |
||||
println!("{}", args.config); |
||||
fn main() -> wry::Result<()> { |
||||
let arg = std::env::args().nth(1).unwrap_or_else(|| "neutauri.toml".to_string()); |
||||
if arg == "--help" || arg == "-h" { |
||||
println!("Usage: neutauri_bundler [neutauri.toml]"); |
||||
return Ok(()); |
||||
} |
||||
let config_path = std::path::Path::new(&arg).canonicalize()?; |
||||
let config: data::Config = toml::from_str(fs::read_to_string(&config_path)?.as_str()) |
||||
.map_err(|e| std::io::Error::new(std::io::ErrorKind::Other, e))?; |
||||
let source = match config_path.parent() { |
||||
Some(path) => path.join(&config.source).canonicalize()?, |
||||
None => config.source.canonicalize()?, |
||||
}; |
||||
let target = match config_path.parent() { |
||||
Some(path) => data::normalize_path(&path.join(&config.target)), |
||||
None => data::normalize_path(&config.target), |
||||
}; |
||||
if target.extension() == Some(std::ffi::OsStr::new("neu")) { |
||||
data::pack(arg)?; |
||||
return Ok(()); |
||||
} |
||||
let data = data::Data::build_from_dir(source, config.window_attr()?, config.webview_attr()?)?; |
||||
let mut option = fs::OpenOptions::new(); |
||||
let option = option.write(true).create(true).truncate(true); |
||||
let option = if cfg!(unix) { |
||||
std::os::unix::prelude::OpenOptionsExt::mode(option, 0o755) |
||||
} else { |
||||
option |
||||
}; |
||||
let mut f = option.open(&target)?; |
||||
let runtime_data = include_bytes!("../../target/release/neutauri_runtime"); |
||||
f.write_all(runtime_data)?; |
||||
f.write_all(&data)?; |
||||
f.sync_all()?; |
||||
f.flush()?; |
||||
Ok(()) |
||||
} |
||||
|
@ -0,0 +1 @@
|
||||
.svelte-vxnnxe{font-family:inherit;font-size:inherit}.center.svelte-vxnnxe{text-align:center;margin:auto}.crud.svelte-vxnnxe{display:flex}.left.svelte-vxnnxe{text-align:center;margin:auto}.right.svelte-vxnnxe{text-align:center;margin:auto}input.svelte-vxnnxe{width:100%;display:block;margin:0 0 0.5em 0}select.svelte-vxnnxe{width:14em}.buttons.svelte-vxnnxe{clear:both} |
File diff suppressed because one or more lines are too long
File diff suppressed because one or more lines are too long
After Width: | Height: | Size: 3.1 KiB |
@ -0,0 +1,63 @@
|
||||
html, body { |
||||
position: relative; |
||||
width: 100%; |
||||
height: 100%; |
||||
} |
||||
|
||||
body { |
||||
color: #333; |
||||
margin: 0; |
||||
padding: 8px; |
||||
box-sizing: border-box; |
||||
font-family: -apple-system, BlinkMacSystemFont, "Segoe UI", Roboto, Oxygen-Sans, Ubuntu, Cantarell, "Helvetica Neue", sans-serif; |
||||
} |
||||
|
||||
a { |
||||
color: rgb(0,100,200); |
||||
text-decoration: none; |
||||
} |
||||
|
||||
a:hover { |
||||
text-decoration: underline; |
||||
} |
||||
|
||||
a:visited { |
||||
color: rgb(0,80,160); |
||||
} |
||||
|
||||
label { |
||||
display: block; |
||||
} |
||||
|
||||
input, button, select, textarea { |
||||
font-family: inherit; |
||||
font-size: inherit; |
||||
-webkit-padding: 0.4em 0; |
||||
padding: 0.4em; |
||||
margin: 0 0 0.5em 0; |
||||
box-sizing: border-box; |
||||
border: 1px solid #ccc; |
||||
border-radius: 2px; |
||||
} |
||||
|
||||
input:disabled { |
||||
color: #ccc; |
||||
} |
||||
|
||||
button { |
||||
color: #333; |
||||
background-color: #f4f4f4; |
||||
outline: none; |
||||
} |
||||
|
||||
button:disabled { |
||||
color: #999; |
||||
} |
||||
|
||||
button:not(:disabled):active { |
||||
background-color: #ddd; |
||||
} |
||||
|
||||
button:focus { |
||||
border-color: #666; |
||||
} |
@ -0,0 +1,18 @@
|
||||
<!DOCTYPE html> |
||||
<html lang="en"> |
||||
<head> |
||||
<meta charset='utf-8'> |
||||
<meta name='viewport' content='width=device-width,initial-scale=1'> |
||||
|
||||
<title>Svelte app</title> |
||||
|
||||
<link rel='icon' type='image/png' href='/favicon.png'> |
||||
<link rel='stylesheet' href='/global.css'> |
||||
<link rel='stylesheet' href='/build/bundle.css'> |
||||
|
||||
<script defer src='/build/bundle.js'></script> |
||||
</head> |
||||
|
||||
<body> |
||||
</body> |
||||
</html> |
Loading…
Reference in new issue