422 lines
No EOL
24 KiB
Rust
422 lines
No EOL
24 KiB
Rust
use crate::components::editable_cell::EditableCell;
|
|
use crate::components::editable_cell::InputType;
|
|
use leptos::*;
|
|
use serde::Deserialize;
|
|
use uuid::Uuid;
|
|
use leptos::logging::log;
|
|
use crate::models::item::Item;
|
|
use std::collections::HashMap;
|
|
use std::sync::Arc;
|
|
use wasm_bindgen::JsCast;
|
|
|
|
#[derive(Deserialize, Clone, Debug)]
|
|
struct WikidataSuggestion {
|
|
id: String,
|
|
label: String,
|
|
description: Option<String>,
|
|
}
|
|
|
|
#[component]
|
|
pub fn ItemsList(
|
|
items: ReadSignal<Vec<Item>>,
|
|
set_items: WriteSignal<Vec<Item>>,
|
|
) -> impl IntoView {
|
|
// State to track the currently focused cell
|
|
let (focused_cell, set_focused_cell) = create_signal(None::<String>);
|
|
|
|
// State to manage dynamic property names
|
|
let (custom_properties, set_custom_properties) = create_signal(Vec::<String>::new());
|
|
|
|
// state to manage suggestions visibility
|
|
let (show_suggestions, set_show_suggestions) = create_signal(HashMap::<String, bool>::new());
|
|
|
|
// cache to store fetched properties
|
|
let (fetched_properties, set_fetched_properties) = create_signal(HashMap::<String, String>::new());
|
|
|
|
// Ensure there's an initial empty row
|
|
if items.get().is_empty() {
|
|
set_items.set(vec![Item {
|
|
id: Uuid::new_v4().to_string(),
|
|
name: String::new(),
|
|
description: String::new(),
|
|
reviews: vec![],
|
|
wikidata_id: None,
|
|
custom_properties: HashMap::new(),
|
|
}]);
|
|
}
|
|
|
|
let (wikidata_suggestions, set_wikidata_suggestions) = create_signal(HashMap::<String, Vec<WikidataSuggestion>>::new());
|
|
|
|
// Fetch Wikidata suggestions
|
|
let fetch_wikidata_suggestions = move |key:String, query: String| {
|
|
log!("Fetching suggestions for key: {}, query: {}", key, query);
|
|
spawn_local(async move {
|
|
if query.is_empty() {
|
|
set_wikidata_suggestions.update(|suggestions| {
|
|
suggestions.remove(&key);
|
|
});
|
|
return;
|
|
}
|
|
|
|
let url = format!(
|
|
"https://www.wikidata.org/w/api.php?action=wbsearchentities&search={}&language=en&limit=5&format=json&origin=*",
|
|
query
|
|
);
|
|
|
|
match gloo_net::http::Request::get(&url).send().await {
|
|
Ok(response) => {
|
|
if let Ok(data) = response.json::<WikidataResponse>().await {
|
|
log!("Fetching suggestions for key: {}, query: {}", key, query);
|
|
set_wikidata_suggestions.update(|suggestions| {
|
|
log!("Updated suggestions: {:?}", suggestions);
|
|
suggestions.insert(key, data.search);
|
|
});
|
|
}
|
|
}
|
|
Err(_) => log!("Failed to fetch Wikidata suggestions"),
|
|
}
|
|
});
|
|
};
|
|
|
|
//function to fetch properties
|
|
async fn fetch_item_properties(wikidata_id: &str, set_fetched_properties: WriteSignal<HashMap<String, String>>) -> HashMap<String, String> {
|
|
let url = format!(
|
|
"https://www.wikidata.org/wiki/Special:EntityData/{}.json",
|
|
wikidata_id
|
|
);
|
|
|
|
match gloo_net::http::Request::get(&url).send().await {
|
|
Ok(response) => {
|
|
if let Ok(data) = response.json::<serde_json::Value>().await {
|
|
if let Some(entities) = data["entities"].as_object() {
|
|
if let Some(entity) = entities.get(wikidata_id) {
|
|
if let Some(claims) = entity["claims"].as_object() {
|
|
let mut result = HashMap::new();
|
|
for (property, values) in claims {
|
|
if let Some(value) = values[0]["mainsnak"]["datavalue"]["value"].as_str() {
|
|
result.insert(property.clone(), value.to_string());
|
|
} else if let Some(value) = values[0]["mainsnak"]["datavalue"]["value"].as_object() {
|
|
result.insert(property.clone(), serde_json::to_string(value).unwrap());
|
|
} else if let Some(value) = values[0]["mainsnak"]["datavalue"]["value"].as_f64() {
|
|
result.insert(property.clone(), value.to_string());
|
|
} else {
|
|
result.insert(property.clone(), "Unsupported data type".to_string());
|
|
}
|
|
}
|
|
set_fetched_properties.update(|properties| {
|
|
for (key, val) in result.clone() {
|
|
properties.insert(key.clone(), val.clone());
|
|
}
|
|
});
|
|
return result;
|
|
}
|
|
}
|
|
}
|
|
}
|
|
}
|
|
Err(err) => log!("Error fetching item properties: {:?}", err),
|
|
}
|
|
|
|
HashMap::new()
|
|
}
|
|
|
|
|
|
// Add a new custom property
|
|
let add_property = move |property: String| {
|
|
set_custom_properties.update(|props| {
|
|
if !props.contains(&property) && !property.is_empty() {
|
|
props.push(property.clone());
|
|
// Ensure the grid updates reactively
|
|
set_items.update(|items| {
|
|
for item in items {
|
|
item.custom_properties.entry(property.clone()).or_insert_with(|| "".to_string());
|
|
}
|
|
});
|
|
}
|
|
});
|
|
// Populate the value of the property in the corresponding cell
|
|
set_items.update(|items| {
|
|
for item in items {
|
|
if let Some(value) = fetched_properties.get().get(&property) {
|
|
item.custom_properties.insert(property.clone(), value.clone());
|
|
}
|
|
}
|
|
});
|
|
};
|
|
|
|
// Update item fields
|
|
let update_item = move |index: usize, field: &str, value: String| {
|
|
set_items.update(|items| {
|
|
if let Some(item) = items.get_mut(index) {
|
|
match field {
|
|
"name" => {
|
|
item.name = value.clone();
|
|
fetch_wikidata_suggestions(format!("name-{}", index), value.clone());
|
|
|
|
// Fetch Wikidata properties if the field is "name" and the item has a valid Wikidata ID
|
|
if !value.is_empty() {
|
|
if let Some(wikidata_id) = &item.wikidata_id {
|
|
let wikidata_id = wikidata_id.clone();
|
|
let set_fetched_properties = set_fetched_properties.clone(); // Clone the set_fetched_properties signal
|
|
spawn_local(async move {
|
|
let properties = fetch_item_properties(&wikidata_id, set_fetched_properties).await;
|
|
log!("Fetched properties for index {}: {:?}", index, properties);
|
|
});
|
|
}
|
|
}
|
|
}
|
|
"description" => {
|
|
item.description = value.clone();
|
|
}
|
|
_ => {
|
|
// Update custom property
|
|
item.custom_properties.insert(field.to_string(), value.clone());
|
|
}
|
|
}
|
|
}
|
|
|
|
// Automatically add a new row when editing the last row
|
|
if index == items.len() - 1 && !value.is_empty() {
|
|
items.push(Item {
|
|
id: Uuid::new_v4().to_string(),
|
|
name: String::new(),
|
|
description: String::new(),
|
|
reviews: vec![],
|
|
wikidata_id: None,
|
|
custom_properties: HashMap::new(),
|
|
});
|
|
}
|
|
log!("Items updated: {:?}", items);
|
|
});
|
|
};
|
|
|
|
|
|
// Remove an item
|
|
let remove_item = move |index: usize| {
|
|
set_items.update(|items| {
|
|
items.remove(index);
|
|
});
|
|
};
|
|
|
|
// List of properties to display as rows
|
|
let properties = vec!["Name", "Description", "Actions"];
|
|
|
|
view! {
|
|
<div>
|
|
<h1>{ "Items List" }</h1>
|
|
<table>
|
|
<thead>
|
|
<tr>
|
|
<th>{ "Property" }</th>
|
|
{move || items.get().iter().enumerate().map(|(index, _)| {
|
|
view! {
|
|
<th>{ format!("Item {}", index + 1) }</th>
|
|
}
|
|
}).collect::<Vec<_>>()}
|
|
</tr>
|
|
</thead>
|
|
<tbody>
|
|
{properties.into_iter().map(|property| {
|
|
log!("Rendering property: {}", property);
|
|
view! {
|
|
<tr>
|
|
<td>{ property }</td>
|
|
{move || items.get().iter().enumerate().map(|(index, item)| {
|
|
view! {
|
|
<td>
|
|
{match property {
|
|
"Name" => view! {
|
|
<div class="editable-cell">
|
|
<EditableCell
|
|
value=item.name.clone()
|
|
on_input=move |value| {
|
|
update_item(index, "name", value.clone());
|
|
fetch_wikidata_suggestions(format!("name-{}", index), value);
|
|
}
|
|
key=Arc::new(format!("name-{}", index))
|
|
focused_cell=focused_cell
|
|
set_focused_cell=set_focused_cell.clone()
|
|
on_focus=Some(Callback::new(move |_| {
|
|
log!("Input focused, showing suggestions");
|
|
set_show_suggestions.update(|suggestions| {
|
|
suggestions.insert(format!("name-{}", index), true);
|
|
});
|
|
}))
|
|
on_blur=Some(Callback::new(move |_| {
|
|
log!("Input blurred, delaying hiding suggestions");
|
|
spawn_local(async move {
|
|
gloo_timers::future::sleep(std::time::Duration::from_millis(500)).await;
|
|
log!("Hiding suggestions after delay");
|
|
set_show_suggestions.update(|suggestions| {
|
|
suggestions.insert(format!("name-{}", index), false);
|
|
});
|
|
});
|
|
}))
|
|
input_type=InputType::Text
|
|
/>
|
|
<button class="search-icon" on:click=move |_| {
|
|
log!("Search icon clicked, showing suggestions");
|
|
set_show_suggestions.update(|suggestions| {
|
|
suggestions.insert(format!("name-{}", index), true);
|
|
});
|
|
}>
|
|
<i class="fas fa-search"></i> Search Wiki
|
|
</button>
|
|
{move || {
|
|
if *show_suggestions.get().get(&format!("name-{}", index)).unwrap_or(&false) {
|
|
log!("Rendering suggestions list");
|
|
view! {
|
|
<ul class="editable-cell-suggestions">
|
|
{move || {
|
|
let suggestions = wikidata_suggestions.get()
|
|
.get(&format!("name-{}", index))
|
|
.cloned()
|
|
.unwrap_or_default();
|
|
log!("Suggestions for cell {}: {:?}", index, suggestions);
|
|
suggestions.into_iter().map(|suggestion| {
|
|
let label_for_click = suggestion.label.clone();
|
|
let label_for_display = suggestion.label.clone();
|
|
let description_for_click = suggestion.description.clone().unwrap_or_default();
|
|
let description_for_display = suggestion.description.clone().unwrap_or_default();
|
|
let id = suggestion.id.clone();
|
|
view! {
|
|
<li class="editable-cell-suggestions-li" on:click=move |_| {
|
|
// Update item with basic suggestion details
|
|
set_items.update(|items| {
|
|
if let Some(item) = items.get_mut(index) {
|
|
item.description = description_for_click.clone();
|
|
item.wikidata_id = Some(id.clone());
|
|
item.name = label_for_click.clone();
|
|
}
|
|
});
|
|
|
|
// Fetch additional properties from Wikidata
|
|
let wikidata_id = id.clone();
|
|
spawn_local(async move {
|
|
let properties = fetch_item_properties(&wikidata_id, set_fetched_properties.clone()).await;
|
|
log!("Fetched properties for Wikidata ID {}: {:?}", wikidata_id, properties);
|
|
});
|
|
|
|
// Hide the suggestion list
|
|
set_show_suggestions.update(|suggestions| {
|
|
suggestions.insert(format!("name-{}", index), false);
|
|
log!("Updated show_suggestions: {:?}", suggestions);
|
|
});
|
|
}>
|
|
{ format!("{} - {}", label_for_display, description_for_display) }
|
|
</li>
|
|
}
|
|
}).collect::<Vec<_>>()
|
|
}}
|
|
</ul>
|
|
}
|
|
} else {
|
|
log!("Suggestions list hidden");
|
|
view! {
|
|
<ul></ul>
|
|
}
|
|
}
|
|
}}
|
|
</div>
|
|
}.into_view(),
|
|
"Description" => view! {
|
|
<EditableCell
|
|
value=item.description.clone()
|
|
on_input=move |value| update_item(index, "description", value)
|
|
key=Arc::new(format!("description-{}", index))
|
|
focused_cell=focused_cell
|
|
set_focused_cell=set_focused_cell.clone()
|
|
on_focus=Some(Callback::new(move |_| {
|
|
log!("Description input focused");
|
|
}))
|
|
on_blur=Some(Callback::new(move |_| {
|
|
log!("Description input blurred");
|
|
}))
|
|
input_type=InputType::TextArea
|
|
/>
|
|
}.into_view(),
|
|
"Actions" => view! {
|
|
<button on:click=move |_| remove_item(index)>{ "Delete" }</button>
|
|
}.into_view(),
|
|
_ => view! {
|
|
{ "" }
|
|
}.into_view(),
|
|
}}
|
|
</td>
|
|
}
|
|
}).collect::<Vec<_>>()}
|
|
</tr>
|
|
}
|
|
}).collect::<Vec<_>>()}
|
|
// Dynamically adding custom properties as columns
|
|
{move || {
|
|
let custom_props = custom_properties.get().clone();
|
|
custom_props.into_iter().map(move |property| {
|
|
let property_clone = property.clone();
|
|
view! {
|
|
<tr>
|
|
<td>{ property }</td>
|
|
{move || {
|
|
let property_clone = property_clone.clone(); // Clone `property_clone` again for the inner closure
|
|
items.get().iter().enumerate().map(move |(index, item)| {
|
|
let property_clone_for_closure = property_clone.clone();
|
|
view! {
|
|
<td>
|
|
<EditableCell
|
|
value=item.custom_properties.get(&property_clone).cloned().unwrap_or_default()
|
|
on_input=move |value| update_item(index, &property_clone_for_closure, value)
|
|
key=Arc::new(format!("custom-{}-{}", property_clone, index))
|
|
focused_cell=focused_cell
|
|
set_focused_cell=set_focused_cell.clone()
|
|
on_focus=Some(Callback::new(move |_| {
|
|
log!("Custom property input focused");
|
|
}))
|
|
on_blur=Some(Callback::new(move |_| {
|
|
log!("Custom property input blurred");
|
|
}))
|
|
input_type=InputType::TextArea
|
|
/>
|
|
</td>
|
|
}
|
|
}).collect::<Vec<_>>()
|
|
}}
|
|
</tr>
|
|
}
|
|
}).collect::<Vec<_>>()
|
|
}}
|
|
</tbody>
|
|
</table>
|
|
<div style="margin-bottom: 20px;">
|
|
<input type="text" id="new-property" placeholder="Add New Property" list="properties"/>
|
|
<datalist id="properties">
|
|
{move || {
|
|
let properties = fetched_properties.get().clone();
|
|
properties.into_iter().map(|(key, _)| {
|
|
let key_clone = key.clone();
|
|
view! {
|
|
<option value={key}>{key_clone}</option>
|
|
}
|
|
}).collect::<Vec<_>>()
|
|
}}
|
|
</datalist>
|
|
<button on:click=move |_| {
|
|
let property = web_sys::window()
|
|
.unwrap()
|
|
.document()
|
|
.unwrap()
|
|
.get_element_by_id("new-property")
|
|
.unwrap()
|
|
.dyn_into::<web_sys::HtmlInputElement>()
|
|
.unwrap()
|
|
.value();
|
|
add_property(property);
|
|
}>{ "Add Property" }</button>
|
|
</div>
|
|
</div>
|
|
}
|
|
}
|
|
|
|
#[derive(Deserialize, Clone, Debug)]
|
|
struct WikidataResponse {
|
|
search: Vec<WikidataSuggestion>,
|
|
} |