mirror-chhoto-url/actix/src/database.rs

65 lines
1.9 KiB
Rust
Raw Normal View History

2023-04-03 20:46:22 +00:00
use rusqlite::Connection;
2023-04-03 03:26:23 +00:00
pub fn find_url(shortlink: &str) -> String {
2023-04-03 20:46:22 +00:00
let db = Connection::open("./urls.sqlite").expect("Unable to open database!");
let mut statement = db
.prepare_cached("SELECT long_url FROM urls WHERE short_url = ?1")
.unwrap();
let links = statement
.query_map([shortlink], |row| Ok(row.get("long_url")?))
.unwrap();
let mut longlink = "".to_string();
for link in links {
longlink = link.unwrap();
2023-04-03 03:26:23 +00:00
}
2023-04-03 20:46:22 +00:00
longlink
2023-04-03 03:26:23 +00:00
}
2023-04-03 16:55:27 +00:00
pub fn getall() -> Vec<String> {
2023-04-03 20:46:22 +00:00
let db = Connection::open("./urls.sqlite").expect("Unable to open database!");
let mut statement = db.prepare_cached("SELECT * FROM urls").unwrap();
2023-04-03 16:55:27 +00:00
2023-04-03 20:46:22 +00:00
let mut data = statement.query([]).unwrap();
2023-04-03 16:55:27 +00:00
let mut links: Vec<String> = Vec::new();
2023-04-03 20:46:22 +00:00
while let Some(row) = data.next().unwrap() {
let short_url: String = row.get("short_url").unwrap();
let long_url: String = row.get("long_url").unwrap();
let hits: i64 = row.get("hits").unwrap();
2023-04-03 16:55:27 +00:00
links.push(format!("{short_url},{long_url},{hits}"));
}
links
}
2023-04-03 20:46:22 +00:00
2023-04-03 22:40:37 +00:00
pub fn add_hit(shortlink: &str) -> () {
2023-04-03 20:46:22 +00:00
let db = Connection::open("./urls.sqlite").expect("Unable to open database!");
db.execute(
"UPDATE urls SET hits = hits + 1 WHERE short_url = ?1",
[shortlink],
)
.unwrap();
}
2023-04-03 22:40:37 +00:00
pub fn add_link(shortlink: String, longlink: String) -> bool {
let db = Connection::open("./urls.sqlite").expect("Unable to open database!");
match db.execute(
"INSERT INTO urls (long_url, short_url, hits) VALUES (?1, ?2, ?3)",
(longlink, shortlink, 0),
) {
Ok(_) => true,
Err(_) => false,
}
}
2023-04-03 22:58:19 +00:00
pub fn delete_link(shortlink: String) -> () {
let db = Connection::open("./urls.sqlite").expect("Unable to open database!");
db.execute("DELETE FROM urls WHERE short_url = ?1", [shortlink])
.unwrap();
}