add: user ads
This commit is contained in:
parent
46b3e66cd4
commit
2cb7d08ddc
41 changed files with 1095 additions and 29 deletions
|
@ -344,6 +344,9 @@ pub struct Config {
|
|||
/// A list of banned content in posts.
|
||||
#[serde(default)]
|
||||
pub banned_data: Vec<StringBan>,
|
||||
/// If user ads are enabled.
|
||||
#[serde(default)]
|
||||
pub enable_user_ads: bool,
|
||||
}
|
||||
|
||||
fn default_name() -> String {
|
||||
|
@ -463,6 +466,7 @@ impl Default for Config {
|
|||
stripe: None,
|
||||
manuals: default_manuals(),
|
||||
banned_data: default_banned_data(),
|
||||
enable_user_ads: false,
|
||||
}
|
||||
}
|
||||
}
|
||||
|
|
233
crates/core/src/database/ads.rs
Normal file
233
crates/core/src/database/ads.rs
Normal file
|
@ -0,0 +1,233 @@
|
|||
use crate::model::{
|
||||
auth::{User, UserWarning},
|
||||
economy::{CoinTransfer, CoinTransferMethod, CoinTransferSource, UserAd, UserAdSize},
|
||||
permissions::FinePermission,
|
||||
Error, Result,
|
||||
};
|
||||
use crate::{auto_method, DataManager};
|
||||
use oiseau::{cache::Cache, execute, get, params, query_row, query_rows, PostgresRow};
|
||||
use tetratto_shared::unix_epoch_timestamp;
|
||||
|
||||
impl DataManager {
|
||||
/// Get a [`UserAd`] from an SQL row.
|
||||
pub(crate) fn get_ad_from_row(x: &PostgresRow) -> UserAd {
|
||||
UserAd {
|
||||
id: get!(x->0(i64)) as usize,
|
||||
created: get!(x->1(i64)) as usize,
|
||||
owner: get!(x->2(i64)) as usize,
|
||||
upload_id: get!(x->3(i64)) as usize,
|
||||
target: get!(x->4(String)),
|
||||
last_charge_time: get!(x->5(i64)) as usize,
|
||||
is_running: get!(x->6(i32)) as i8 == 1,
|
||||
size: serde_json::from_str(&get!(x->7(String))).unwrap(),
|
||||
}
|
||||
}
|
||||
|
||||
auto_method!(get_ad_by_id(usize as i64)@get_ad_from_row -> "SELECT * FROM ads WHERE id = $1" --name="ad" --returns=UserAd --cache-key-tmpl="atto.ad:{}");
|
||||
|
||||
/// Get all ads by user.
|
||||
///
|
||||
/// # Arguments
|
||||
/// * `id` - the ID of the user to fetch ads for
|
||||
/// * `batch` - the limit of items in each page
|
||||
/// * `page` - the page number
|
||||
pub async fn get_ads_by_user(
|
||||
&self,
|
||||
id: usize,
|
||||
batch: usize,
|
||||
page: usize,
|
||||
) -> Result<Vec<UserAd>> {
|
||||
let conn = match self.0.connect().await {
|
||||
Ok(c) => c,
|
||||
Err(e) => return Err(Error::DatabaseConnection(e.to_string())),
|
||||
};
|
||||
|
||||
let res = query_rows!(
|
||||
&conn,
|
||||
"SELECT * FROM ads WHERE owner = $1 ORDER BY created DESC LIMIT $2 OFFSET $3",
|
||||
&[&(id as i64), &(batch as i64), &((page * batch) as i64)],
|
||||
|x| { Self::get_ad_from_row(x) }
|
||||
);
|
||||
|
||||
if res.is_err() {
|
||||
return Err(Error::GeneralNotFound("ad".to_string()));
|
||||
}
|
||||
|
||||
Ok(res.unwrap())
|
||||
}
|
||||
|
||||
/// Create a new ad in the database.
|
||||
///
|
||||
/// # Arguments
|
||||
/// * `data` - a mock [`UserAd`] object to insert
|
||||
pub async fn create_ad(&self, data: UserAd) -> Result<UserAd> {
|
||||
// check values
|
||||
if data.target.len() < 2 {
|
||||
return Err(Error::DataTooShort("description".to_string()));
|
||||
} else if data.target.len() > 256 {
|
||||
return Err(Error::DataTooLong("description".to_string()));
|
||||
}
|
||||
|
||||
// charge for first day
|
||||
if data.is_running {
|
||||
self.create_transfer(
|
||||
&mut CoinTransfer::new(
|
||||
data.owner,
|
||||
self.0.0.system_user,
|
||||
Self::AD_RUN_CHARGE,
|
||||
CoinTransferMethod::Transfer,
|
||||
CoinTransferSource::AdCharge,
|
||||
),
|
||||
true,
|
||||
)
|
||||
.await?;
|
||||
}
|
||||
|
||||
// ...
|
||||
let conn = match self.0.connect().await {
|
||||
Ok(c) => c,
|
||||
Err(e) => return Err(Error::DatabaseConnection(e.to_string())),
|
||||
};
|
||||
|
||||
let res = execute!(
|
||||
&conn,
|
||||
"INSERT INTO ads VALUES (DEFAULT, $1, $2, $3, $4, $5, $6, $7)",
|
||||
params![
|
||||
&(data.created as i64),
|
||||
&(data.owner as i64),
|
||||
&(data.upload_id as i64),
|
||||
&data.target,
|
||||
&(data.last_charge_time as i64),
|
||||
&if data.is_running { 1 } else { 0 },
|
||||
&serde_json::to_string(&data.size).unwrap()
|
||||
]
|
||||
);
|
||||
|
||||
if let Err(e) = res {
|
||||
return Err(Error::DatabaseError(e.to_string()));
|
||||
}
|
||||
|
||||
Ok(data)
|
||||
}
|
||||
|
||||
pub async fn delete_ad(&self, id: usize, user: &User) -> Result<()> {
|
||||
let ad = self.get_ad_by_id(id).await?;
|
||||
|
||||
// check user permission
|
||||
if user.id != ad.owner && !user.permissions.check(FinePermission::MANAGE_USERS) {
|
||||
return Err(Error::NotAllowed);
|
||||
}
|
||||
|
||||
// remove upload
|
||||
self.delete_upload(ad.upload_id).await?;
|
||||
|
||||
// ...
|
||||
let conn = match self.0.connect().await {
|
||||
Ok(c) => c,
|
||||
Err(e) => return Err(Error::DatabaseConnection(e.to_string())),
|
||||
};
|
||||
|
||||
let res = execute!(&conn, "DELETE FROM ads WHERE id = $1", &[&(id as i64)]);
|
||||
|
||||
if let Err(e) = res {
|
||||
return Err(Error::DatabaseError(e.to_string()));
|
||||
}
|
||||
|
||||
// ...
|
||||
self.0.1.remove(format!("atto.ad:{}", id)).await;
|
||||
Ok(())
|
||||
}
|
||||
|
||||
/// Pull a random running ad.
|
||||
pub async fn random_ad(&self, size: UserAdSize) -> Result<UserAd> {
|
||||
let conn = match self.0.connect().await {
|
||||
Ok(c) => c,
|
||||
Err(e) => return Err(Error::DatabaseConnection(e.to_string())),
|
||||
};
|
||||
|
||||
let res = query_row!(
|
||||
&conn,
|
||||
"SELECT * FROM ads WHERE is_running = 1 AND size = $1 ORDER BY RANDOM() DESC LIMIT 1",
|
||||
&[&serde_json::to_string(&size).unwrap()],
|
||||
|x| { Ok(Self::get_ad_from_row(x)) }
|
||||
);
|
||||
|
||||
if res.is_err() {
|
||||
return Err(Error::GeneralNotFound("ad".to_string()));
|
||||
}
|
||||
|
||||
Ok(res.unwrap())
|
||||
}
|
||||
|
||||
const MINIMUM_DELTA_FOR_CHARGE: usize = 604_800_000; // 7 days
|
||||
/// The amount charged to a [`UserAd`] owner each day the ad is running (and is pulled from the pool).
|
||||
pub const AD_RUN_CHARGE: i32 = 50;
|
||||
/// The amount charged to a [`UserAd`] owner each time the ad is clicked.
|
||||
pub const AD_CLICK_CHARGE: i32 = 2;
|
||||
|
||||
/// Get a random ad and check if the ad owner needs to be charged for this period.
|
||||
pub async fn random_ad_charged(&self, size: UserAdSize) -> Result<UserAd> {
|
||||
let ad = self.random_ad(size).await?;
|
||||
|
||||
let now = unix_epoch_timestamp();
|
||||
let delta = now - ad.last_charge_time;
|
||||
|
||||
if delta >= Self::MINIMUM_DELTA_FOR_CHARGE {
|
||||
self.create_transfer(
|
||||
&mut CoinTransfer::new(
|
||||
ad.owner,
|
||||
self.0.0.system_user,
|
||||
Self::AD_RUN_CHARGE,
|
||||
CoinTransferMethod::Transfer,
|
||||
CoinTransferSource::AdCharge,
|
||||
),
|
||||
true,
|
||||
)
|
||||
.await?;
|
||||
|
||||
self.update_ad_last_charge_time(ad.id, now as i64).await?;
|
||||
}
|
||||
|
||||
Ok(ad)
|
||||
}
|
||||
|
||||
/// Handle a click on an ad from the given host.
|
||||
///
|
||||
/// Hosts are just the ID of the user that is embedding the ad on their page.
|
||||
pub async fn ad_click(&self, host: usize, ad: usize, user: Option<User>) -> Result<String> {
|
||||
let ad = self.get_ad_by_id(ad).await?;
|
||||
|
||||
if let Some(ref ua) = user {
|
||||
if ua.id == ad.owner || ua.id == host {
|
||||
self.create_user_warning(
|
||||
UserWarning::new(
|
||||
ua.id,
|
||||
self.0.0.system_user,
|
||||
"Automated warning: do not click on ads on your own site OR click on your own ads! This incident has been reported.".to_string()
|
||||
)
|
||||
).await?;
|
||||
|
||||
return Ok(ad.target);
|
||||
}
|
||||
}
|
||||
|
||||
// create click transfer
|
||||
self.create_transfer(
|
||||
&mut CoinTransfer::new(
|
||||
ad.owner,
|
||||
host,
|
||||
Self::AD_CLICK_CHARGE,
|
||||
CoinTransferMethod::Transfer,
|
||||
CoinTransferSource::AdClick,
|
||||
),
|
||||
true,
|
||||
)
|
||||
.await?;
|
||||
|
||||
// return
|
||||
Ok(ad.target)
|
||||
}
|
||||
|
||||
auto_method!(update_ad_is_running(i32)@get_ad_by_id:FinePermission::MANAGE_USERS; -> "UPDATE ads SET is_running = $1 WHERE id = $2" --cache-key-tmpl="atto.ad:{}");
|
||||
auto_method!(update_ad_last_charge_time(i64) -> "UPDATE ads SET last_charge_time = $1 WHERE id = $2" --cache-key-tmpl="atto.ad:{}");
|
||||
}
|
|
@ -595,6 +595,13 @@ impl DataManager {
|
|||
return Err(Error::DatabaseError(e.to_string()));
|
||||
}
|
||||
|
||||
// delete ads
|
||||
let res = execute!(&conn, "DELETE FROM ads WHERE owner = $1", &[&(id as i64)]);
|
||||
|
||||
if let Err(e) = res {
|
||||
return Err(Error::DatabaseError(e.to_string()));
|
||||
}
|
||||
|
||||
// delete user follows... individually since it requires updating user counts
|
||||
for follow in self.get_userfollows_by_receiver_all(id).await? {
|
||||
self.delete_userfollow(follow.id, &user, true).await?;
|
||||
|
|
|
@ -46,6 +46,7 @@ impl DataManager {
|
|||
execute!(&conn, common::CREATE_TABLE_LETTERS).unwrap();
|
||||
execute!(&conn, common::CREATE_TABLE_TRANSFERS).unwrap();
|
||||
execute!(&conn, common::CREATE_TABLE_PRODUCTS).unwrap();
|
||||
execute!(&conn, common::CREATE_TABLE_ADS).unwrap();
|
||||
|
||||
for x in common::VERSION_MIGRATIONS.split(";") {
|
||||
execute!(&conn, x).unwrap();
|
||||
|
|
|
@ -34,3 +34,4 @@ pub const CREATE_TABLE_APP_DATA: &str = include_str!("./sql/create_app_data.sql"
|
|||
pub const CREATE_TABLE_LETTERS: &str = include_str!("./sql/create_letters.sql");
|
||||
pub const CREATE_TABLE_TRANSFERS: &str = include_str!("./sql/create_transfers.sql");
|
||||
pub const CREATE_TABLE_PRODUCTS: &str = include_str!("./sql/create_products.sql");
|
||||
pub const CREATE_TABLE_ADS: &str = include_str!("./sql/create_ads.sql");
|
||||
|
|
10
crates/core/src/database/drivers/sql/create_ads.sql
Normal file
10
crates/core/src/database/drivers/sql/create_ads.sql
Normal file
|
@ -0,0 +1,10 @@
|
|||
CREATE TABLE IF NOT EXISTS ads (
|
||||
id BIGINT PRIMARY KEY GENERATED ALWAYS AS IDENTITY,
|
||||
created BIGINT NOT NULL,
|
||||
owner BIGINT NOT NULL,
|
||||
upload_id BIGINT NOT NULL,
|
||||
target TEXT NOT NULL,
|
||||
last_charge_time BIGINT NOT NULL,
|
||||
is_running INT NOT NULL,
|
||||
size TEXT NOT NULL
|
||||
)
|
|
@ -1,3 +1,4 @@
|
|||
mod ads;
|
||||
pub mod app_data;
|
||||
mod apps;
|
||||
mod audit_log;
|
||||
|
|
|
@ -104,6 +104,10 @@ pub enum CoinTransferSource {
|
|||
Purchase,
|
||||
/// A refund of coins.
|
||||
Refund,
|
||||
/// The charge for keeping an ad running.
|
||||
AdCharge,
|
||||
/// Gained coins from a click on an ad on your site.
|
||||
AdClick,
|
||||
}
|
||||
|
||||
#[derive(Serialize, Deserialize)]
|
||||
|
@ -149,3 +153,69 @@ impl CoinTransfer {
|
|||
(sender.coins < 0, receiver.coins < 0)
|
||||
}
|
||||
}
|
||||
|
||||
/// <https://en.wikipedia.org/wiki/Web_banner#Standard_sizes>
|
||||
#[derive(Debug, Clone, Serialize, Deserialize, PartialEq, Eq)]
|
||||
pub enum UserAdSize {
|
||||
/// 970x250
|
||||
Billboard,
|
||||
/// 720x90
|
||||
Leaderboard,
|
||||
/// 160x600
|
||||
Skyscraper,
|
||||
/// 300x250
|
||||
MediumRectangle,
|
||||
/// 320x50 - mobile only
|
||||
MobileLeaderboard,
|
||||
}
|
||||
|
||||
impl Default for UserAdSize {
|
||||
fn default() -> Self {
|
||||
Self::MediumRectangle
|
||||
}
|
||||
}
|
||||
|
||||
impl UserAdSize {
|
||||
/// Get the dimensions of the size in CSS pixels.
|
||||
pub fn dimensions(&self) -> (u16, u16) {
|
||||
match self {
|
||||
Self::Billboard => (970, 250),
|
||||
Self::Leaderboard => (720, 90),
|
||||
Self::Skyscraper => (160, 600),
|
||||
Self::MediumRectangle => (300, 250),
|
||||
Self::MobileLeaderboard => (320, 50),
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
#[derive(Serialize, Deserialize)]
|
||||
pub struct UserAd {
|
||||
pub id: usize,
|
||||
pub created: usize,
|
||||
pub owner: usize,
|
||||
pub upload_id: usize,
|
||||
pub target: String,
|
||||
/// The time that the owner was last charged for keeping this ad up.
|
||||
///
|
||||
/// Ads cost 50 coins per day of running.
|
||||
pub last_charge_time: usize,
|
||||
pub is_running: bool,
|
||||
pub size: UserAdSize,
|
||||
}
|
||||
|
||||
impl UserAd {
|
||||
/// Create a new [`UserAd`].
|
||||
pub fn new(owner: usize, upload_id: usize, target: String, size: UserAdSize) -> Self {
|
||||
let created = unix_epoch_timestamp();
|
||||
Self {
|
||||
id: 0, // will be overwritten by postgres
|
||||
created,
|
||||
owner,
|
||||
upload_id,
|
||||
target,
|
||||
last_charge_time: 0,
|
||||
is_running: false,
|
||||
size,
|
||||
}
|
||||
}
|
||||
}
|
||||
|
|
Loading…
Add table
Add a link
Reference in a new issue