Skip to content

Commit

Permalink
Merge pull request #110 from starknet-id/feat/add_element_briq_quests
Browse files Browse the repository at this point in the history
feat: add Element & Briq quest
  • Loading branch information
Th0rgal authored Oct 24, 2023
2 parents f55075e + deef99d commit e13726b
Show file tree
Hide file tree
Showing 15 changed files with 571 additions and 0 deletions.
95 changes: 95 additions & 0 deletions config.template.toml
Original file line number Diff line number Diff line change
Expand Up @@ -30,6 +30,8 @@ contract = "0xXXXXXXXXXXXX"
[quests.braavos]
api_key_user = "xxxxxx"
api_key_claimed_mission = "xxxxxx"
[quests.element]
api_key = "xxxxxx"

[twitter]
oauth2_clientid = "xxxxxx"
Expand Down Expand Up @@ -660,3 +662,96 @@ options = [
]
correct_answers = [*]

[quizzes.briq]
name = "briquiz 🧱"
desc = "briq is the Starknet project that allows to build anything you want as an NFT, using little construction blocks stored on the blockchain called 'briqs'. Take the quizz to check if you know all about this blocky project!"
intro = "Ready? Set? Briq!"

[[quizzes.briq.questions]]
kind = "text_choice"
layout = "default"
question = "What are briqs?"
options = [
"Tokenized real estate shares",
"ERC-1155 compatible construction blocks used to build NFTs",
"ERC-20 tokens used to trade DeFi",
"ERC-721 collectibles used as profile pictures"
]
correct_answers = [*]

[[quizzes.briq.questions]]
kind = "text_choice"
layout = "default"
question = "What are sets?"
options = [
"ERC-721 collectibles built with briqs",
"ERC-1155 tokens used to build houses",
"Tokenized real estate shares",
"ERC-20 stablecoins"
]
correct_answers = [*]

[[quizzes.briq.questions]]
kind = "text_choice"
layout = "default"
question = "What is the briq factory?"
options = [
"A real factory, based in France, that produces physical bricks",
"A secondary market to briqs",
"A contract issuing briqs on the primary market, according to an emission schedule",
"A marketplace to buy sets"
]
correct_answers = [*]

[[quizzes.briq.questions]]
kind = "text_choice"
layout = "default"
question = "When was briq deployed on Starknet mainnet for the 1st time?"
options = [
"December 2021",
"January 2020",
"November 2022",
"June 2023"
]
correct_answers = [*]

[quizzes.element]
name = "Element - Gemstone Quest Quiz"
desc = "Challenge your Element knowledge with our quiz for a chance to score an exclusive NFT prize."
intro = "Embark on our Element Quest, complete the tasks, and claim an exclusive Gemstone NFT as your reward."

[[quizzes.element.questions]]
kind = "text_choice"
layout = "default"
question = "What is Element?"
options = [
"A popular cryptocurrency exchange",
"A mobile gaming app",
"A community-driven aggregated marketplace for NFTs",
"A new social media platform"
]
correct_answers = [*]

[[quizzes.element.questions]]
kind = "text_choice"
layout = "default"
question = " Which chain does Element NOT support currently?"
options = [
"ETH",
"ZkSync",
"Starknet",
"Solana"
]
correct_answers = [*]

[[quizzes.element.questions]]
kind = "text_choice"
layout = "default"
question = "What is the right answer in the context of Element?"
options = [
"Gas fee savings of up to 49% on NFT Trading.",
"Gas increase of 35%",
"Royalty payments instantly with 50% Gas",
"Whale tracking for high Gas crypto trading"
]
correct_answers = [*]
5 changes: 5 additions & 0 deletions src/config.rs
Original file line number Diff line number Diff line change
Expand Up @@ -50,13 +50,18 @@ pub_struct!(Clone, Deserialize; Braavos {
api_key_claimed_mission: String,
});

pub_struct!(Clone, Deserialize; Element {
api_key: String,
});

pub_struct!(Clone, Deserialize; Quests {
sithswap: Pairs,
zklend: Contract,
jediswap: Pairs,
ekubo: Contract,
myswap: Contract,
braavos: Braavos,
element: Element,
});

pub_struct!(Clone, Deserialize; Twitter {
Expand Down
101 changes: 101 additions & 0 deletions src/endpoints/quests/element/briq/claimable.rs
Original file line number Diff line number Diff line change
@@ -0,0 +1,101 @@
use crate::models::{AppState, CompletedTaskDocument, Reward, RewardResponse};
use crate::utils::{get_error, get_nft};
use axum::{
extract::{Query, State},
http::StatusCode,
response::IntoResponse,
Json,
};
use futures::StreamExt;
use mongodb::bson::doc;
use serde::Deserialize;
use starknet::{
core::types::FieldElement,
signers::{LocalWallet, SigningKey},
};
use std::sync::Arc;

const QUEST_ID: u32 = 17;
const TASK_IDS: &[u32] = &[67, 68, 69];
const LAST_TASK: u32 = TASK_IDS[2];
const NFT_LEVEL: u32 = 23;

#[derive(Deserialize)]
pub struct ClaimableQuery {
addr: FieldElement,
}

pub async fn handler(
State(state): State<Arc<AppState>>,
Query(query): Query<ClaimableQuery>,
) -> impl IntoResponse {
let collection = state
.db
.collection::<CompletedTaskDocument>("completed_tasks");

let pipeline = vec![
doc! {
"$match": {
"address": &query.addr.to_string(),
"task_id": { "$in": TASK_IDS },
},
},
doc! {
"$lookup": {
"from": "tasks",
"localField": "task_id",
"foreignField": "id",
"as": "task",
},
},
doc! {
"$match": {
"task.quest_id": QUEST_ID,
},
},
doc! {
"$group": {
"_id": "$address",
"completed_tasks": { "$push": "$task_id" },
},
},
doc! {
"$match": {
"completed_tasks": { "$all": TASK_IDS },
},
},
];

let completed_tasks = collection.aggregate(pipeline, None).await;
match completed_tasks {
Ok(mut tasks_cursor) => {
if tasks_cursor.next().await.is_none() {
return get_error("User hasn't completed all tasks".into());
}

let signer = LocalWallet::from(SigningKey::from_secret_scalar(
state.conf.nft_contract.private_key,
));

let mut rewards = vec![];

let Ok((token_id, sig)) = get_nft(QUEST_ID, LAST_TASK, &query.addr, NFT_LEVEL, &signer).await else {
return get_error("Signature failed".into());
};

rewards.push(Reward {
task_id: LAST_TASK,
nft_contract: state.conf.nft_contract.address.clone(),
token_id: token_id.to_string(),
sig: (sig.r, sig.s),
});

if rewards.is_empty() {
get_error("No rewards found for this user".into())
} else {
(StatusCode::OK, Json(RewardResponse { rewards })).into_response()
}
}
Err(_) => get_error("Error querying rewards".into()),
}
}
3 changes: 3 additions & 0 deletions src/endpoints/quests/element/briq/mod.rs
Original file line number Diff line number Diff line change
@@ -0,0 +1,3 @@
pub mod claimable;
pub mod verify_own_briq;
pub mod verify_twitter_fw;
87 changes: 87 additions & 0 deletions src/endpoints/quests/element/briq/verify_own_briq.rs
Original file line number Diff line number Diff line change
@@ -0,0 +1,87 @@
use std::sync::Arc;

use crate::{
models::{AppState, VerifyQuery},
utils::{get_error, to_hex, CompletedTasksTrait},
};
use axum::{
extract::{Query, State},
http::StatusCode,
response::IntoResponse,
Json,
};
use serde_json::json;
use starknet::core::types::FieldElement;

pub async fn handler(
State(state): State<Arc<AppState>>,
Query(query): Query<VerifyQuery>,
) -> impl IntoResponse {
let task_id = 68;
if query.addr == FieldElement::ZERO {
return get_error("Please connect your wallet first".to_string());
}

let url = format!(
"https://api.briq.construction/v1/user/data/starknet-mainnet/{}",
to_hex(query.addr)
);
match fetch_json_from_url(url).await {
Ok(response) => {
if let Some(sets) = response.get("sets") {
match sets {
serde_json::Value::Array(sets_array) => {
for set in sets_array.iter() {
if let serde_json::Value::String(set_str) = set {
let url = format!(
"https://api.briq.construction/v1/metadata/starknet-mainnet/{}",
set_str
);
match fetch_json_from_url(url).await {
Ok(metadata_response) => {
if let Some(_properties) =
metadata_response.get("properties")
{
match state
.upsert_completed_task(query.addr, task_id)
.await
{
Ok(_) => {
return (
StatusCode::OK,
Json(json!({"res": true})),
)
.into_response();
}
Err(e) => {
return get_error(format!("{}", e));
}
}
}
}
Err(e) => return get_error(e),
}
}
}
}
_ => {
return get_error("No Briq sets founds".to_string());
}
}
}
get_error("No Briq sets founds".to_string())
}
Err(e) => get_error(e),
}
}

pub async fn fetch_json_from_url(url: String) -> Result<serde_json::Value, String> {
let client = reqwest::Client::new();
match client.get(url).send().await {
Ok(response) => match response.json::<serde_json::Value>().await {
Ok(json) => Ok(json),
Err(e) => Err(format!("Failed to get JSON response: {}", e)),
},
Err(e) => Err(format!("Failed to send request: {}", e)),
}
}
28 changes: 28 additions & 0 deletions src/endpoints/quests/element/briq/verify_twitter_fw.rs
Original file line number Diff line number Diff line change
@@ -0,0 +1,28 @@
use std::sync::Arc;

use crate::{
models::{AppState, VerifyQuery},
utils::{get_error, CompletedTasksTrait},
};
use axum::{
extract::{Query, State},
http::StatusCode,
response::IntoResponse,
Json,
};
use serde_json::json;
use starknet::core::types::FieldElement;

pub async fn handler(
State(state): State<Arc<AppState>>,
Query(query): Query<VerifyQuery>,
) -> impl IntoResponse {
let task_id = 69;
if query.addr == FieldElement::ZERO {
return get_error("Please connect your wallet first".to_string());
}
match state.upsert_completed_task(query.addr, task_id).await {
Ok(_) => (StatusCode::OK, Json(json!({"res": true}))).into_response(),
Err(e) => get_error(format!("{}", e)),
}
}
Loading

0 comments on commit e13726b

Please sign in to comment.