aboutsummaryrefslogtreecommitdiff
path: root/src
diff options
context:
space:
mode:
authordec05eba <dec05eba@protonmail.com>2019-12-01 18:05:16 +0100
committerdec05eba <dec05eba@protonmail.com>2019-12-01 18:05:16 +0100
commit6c7adadf6d5c85d5e280e965d4dee1563bf46821 (patch)
treefecdef2d933e0e83e23e0d87bf42139820490bbc /src
parent129d842030fa993e800009ec0ab170f109e8e899 (diff)
Add 4chan posting
Diffstat (limited to 'src')
-rw-r--r--src/Body.cpp2
-rw-r--r--src/DownloadUtils.cpp53
-rw-r--r--src/GoogleCaptcha.cpp160
-rw-r--r--src/QuickMedia.cpp242
-rw-r--r--src/StringUtils.cpp33
-rw-r--r--src/plugins/Fourchan.cpp326
-rw-r--r--src/plugins/Plugin.cpp59
7 files changed, 513 insertions, 362 deletions
diff --git a/src/Body.cpp b/src/Body.cpp
index 5ac8466..5147767 100644
--- a/src/Body.cpp
+++ b/src/Body.cpp
@@ -107,7 +107,7 @@ namespace QuickMedia {
loading_thumbnail = true;
thumbnail_load_thread = std::thread([this, result, url]() {
std::string texture_data;
- if(program->get_current_plugin()->download_to_string(url, texture_data) == DownloadResult::OK) {
+ if(download_to_string(url, texture_data) == DownloadResult::OK) {
if(result->loadFromMemory(texture_data.data(), texture_data.size())) {
//result->generateMipmap();
result->setSmooth(true);
diff --git a/src/DownloadUtils.cpp b/src/DownloadUtils.cpp
new file mode 100644
index 0000000..a61d0a1
--- /dev/null
+++ b/src/DownloadUtils.cpp
@@ -0,0 +1,53 @@
+#include "../include/DownloadUtils.hpp"
+#include "../include/Program.h"
+#include <SFML/System/Clock.hpp>
+
+static int accumulate_string(char *data, int size, void *userdata) {
+ std::string *str = (std::string*)userdata;
+ str->append(data, size);
+ return 0;
+}
+
+namespace QuickMedia {
+ // TODO: Add timeout
+ DownloadResult download_to_string(const std::string &url, std::string &result, const std::vector<CommandArg> &additional_args, bool use_tor) {
+ sf::Clock timer;
+ std::vector<const char*> args;
+ if(use_tor)
+ args.push_back("torsocks");
+ args.insert(args.end(), { "curl", "-f", "-H", "Accept-Language: en-US,en;q=0.5", "--compressed", "-s", "-L" });
+ for(const CommandArg &arg : additional_args) {
+ args.push_back(arg.option.c_str());
+ args.push_back(arg.value.c_str());
+ }
+ args.push_back("--");
+ args.push_back(url.c_str());
+ args.push_back(nullptr);
+ if(exec_program(args.data(), accumulate_string, &result) != 0)
+ return DownloadResult::NET_ERR;
+ fprintf(stderr, "Download duration for %s: %d ms\n", url.c_str(), timer.getElapsedTime().asMilliseconds());
+ return DownloadResult::OK;
+ }
+
+ std::vector<CommandArg> create_command_args_from_form_data(const std::vector<FormData> &form_data) {
+ // TODO: This boundary value might need to change, depending on the content. What if the form data contains the boundary value?
+ const std::string boundary = "-----------------------------119561554312148213571335532670";
+ std::string form_data_str;
+ for(const FormData &form_data_item : form_data) {
+ form_data_str += boundary;
+ form_data_str += "\r\n";
+ // TODO: What if the form key contains " or \r\n ?
+ form_data_str += "Content-Disposition: form-data; name=\"" + form_data_item.key + "\"";
+ form_data_str += "\r\n\r\n";
+ // TODO: What is the value contains \r\n ?
+ form_data_str += form_data_item.value;
+ form_data_str += "\r\n";
+ }
+ // TODO: Verify if this should only be done also if the form data is empty
+ form_data_str += boundary + "--";
+ return {
+ CommandArg{"-H", "Content-Type: multipart/form-data; boundary=" + boundary},
+ CommandArg{"--data-binary", std::move(form_data_str)}
+ };
+ }
+} \ No newline at end of file
diff --git a/src/GoogleCaptcha.cpp b/src/GoogleCaptcha.cpp
new file mode 100644
index 0000000..b5c3e3c
--- /dev/null
+++ b/src/GoogleCaptcha.cpp
@@ -0,0 +1,160 @@
+#include "../include/GoogleCaptcha.hpp"
+#include "../include/StringUtils.hpp"
+#include "../include/DownloadUtils.hpp"
+
+namespace QuickMedia {
+ static bool google_captcha_response_extract_id(const std::string& html, std::string& result)
+ {
+ size_t value_index = html.find("value=\"");
+ if(value_index == std::string::npos)
+ return false;
+
+ size_t value_begin = value_index + 7;
+ size_t value_end = html.find('"', value_begin);
+ if(value_end == std::string::npos)
+ return false;
+
+ size_t value_length = value_end - value_begin;
+ // The id is also only valid if it's in base64, but it might be overkill to verify if it's base64 here
+ if(value_length < 300)
+ return false;
+
+ result = html.substr(value_begin, value_length);
+ return true;
+ }
+
+ static bool google_captcha_response_extract_goal_description(const std::string& html, std::string& result)
+ {
+ size_t goal_description_begin = html.find("rc-imageselect-desc-no-canonical");
+ if(goal_description_begin == std::string::npos) {
+ goal_description_begin = html.find("rc-imageselect-desc");
+ if(goal_description_begin == std::string::npos)
+ return false;
+ }
+
+ goal_description_begin = html.find('>', goal_description_begin);
+ if(goal_description_begin == std::string::npos)
+ return false;
+
+ goal_description_begin += 1;
+
+ size_t goal_description_end = html.find("</div", goal_description_begin);
+ if(goal_description_end == std::string::npos)
+ return false;
+
+ // The goal description with google captcha right now is "Select all images with <strong>subject</strong>".
+ // TODO: Should the subject be extracted, so bold styling can be applied to it?
+ result = html.substr(goal_description_begin, goal_description_end - goal_description_begin);
+ string_replace_all(result, "<strong>", "");
+ string_replace_all(result, "</strong>", "");
+ return true;
+ }
+
+ static std::optional<GoogleCaptchaChallengeInfo> google_captcha_parse_request_challenge_response(const std::string& api_key, const std::string& html_source)
+ {
+ GoogleCaptchaChallengeInfo result;
+ if(!google_captcha_response_extract_id(html_source, result.id))
+ return std::nullopt;
+ result.payload_url = "https://www.google.com/recaptcha/api2/payload?c=" + result.id + "&k=" + api_key;
+ if(!google_captcha_response_extract_goal_description(html_source, result.description))
+ return std::nullopt;
+ return result;
+ }
+
+ // Note: This assumes strings (quoted data) in html tags dont contain '<' or '>'
+ static std::string strip_html_tags(const std::string& text)
+ {
+ std::string result;
+ size_t index = 0;
+ while(true)
+ {
+ size_t tag_start_index = text.find('<', index);
+ if(tag_start_index == std::string::npos)
+ {
+ result.append(text.begin() + index, text.end());
+ break;
+ }
+
+ result.append(text.begin() + index, text.begin() + tag_start_index);
+
+ size_t tag_end_index = text.find('>', tag_start_index + 1);
+ if(tag_end_index == std::string::npos)
+ break;
+ index = tag_end_index + 1;
+ }
+ return result;
+ }
+
+ static std::optional<std::string> google_captcha_parse_submit_solution_response(const std::string& html_source)
+ {
+ size_t start_index = html_source.find("\"fbc-verification-token\">");
+ if(start_index == std::string::npos)
+ return std::nullopt;
+
+ start_index += 25;
+ size_t end_index = html_source.find("</", start_index);
+ if(end_index == std::string::npos)
+ return std::nullopt;
+
+ return strip_html_tags(html_source.substr(start_index, end_index - start_index));
+ }
+
+ std::future<bool> google_captcha_request_challenge(const std::string &api_key, const std::string &referer, RequestChallengeResponse challenge_response_callback, bool use_tor) {
+ return std::async(std::launch::async, [challenge_response_callback, api_key, referer, use_tor]() {
+ std::string captcha_url = "https://www.google.com/recaptcha/api/fallback?k=" + api_key;
+ std::string response;
+ std::vector<CommandArg> additional_args = {
+ CommandArg{"-H", "Referer: " + referer}
+ };
+ DownloadResult download_result = download_to_string(captcha_url, response, additional_args, use_tor);
+ if(download_result == DownloadResult::OK) {
+ //fprintf(stderr, "Failed to get captcha, response: %s\n", response.c_str());
+ challenge_response_callback(google_captcha_parse_request_challenge_response(api_key, response));
+ return true;
+ } else {
+ fprintf(stderr, "Failed to get captcha, response: %s\n", response.c_str());
+ challenge_response_callback(std::nullopt);
+ return false;
+ }
+ });
+ }
+
+ static std::string build_post_solution_response(std::array<bool, 9> selected_images) {
+ std::string result;
+ for(size_t i = 0; i < selected_images.size(); ++i) {
+ if(selected_images[i]) {
+ if(!result.empty())
+ result += "&";
+ result += "response=" + std::to_string(i);
+ }
+ }
+ return result;
+ }
+
+ std::future<bool> google_captcha_post_solution(const std::string &api_key, const std::string &captcha_id, std::array<bool, 9> selected_images, PostSolutionResponse solution_response_callback, bool use_tor) {
+ return std::async(std::launch::async, [solution_response_callback, api_key, captcha_id, selected_images, use_tor]() {
+ std::string captcha_url = "https://www.google.com/recaptcha/api/fallback?k=" + api_key;
+ std::string response;
+ std::vector<CommandArg> additional_args = {
+ CommandArg{"-H", "Referer: " + captcha_url},
+ CommandArg{"--data", "c=" + captcha_id + "&" + build_post_solution_response(selected_images)}
+ };
+ DownloadResult post_result = download_to_string(captcha_url, response, additional_args, use_tor);
+ if(post_result == DownloadResult::OK) {
+ //fprintf(stderr, "Failed to post captcha solution, response: %s\n", response.c_str());
+ std::optional<std::string> captcha_post_id = google_captcha_parse_submit_solution_response(response);
+ if(captcha_post_id) {
+ solution_response_callback(std::move(captcha_post_id), std::nullopt);
+ } else {
+ std::optional<GoogleCaptchaChallengeInfo> challenge_info = google_captcha_parse_request_challenge_response(api_key, response);
+ solution_response_callback(std::nullopt, std::move(challenge_info));
+ }
+ return true;
+ } else {
+ fprintf(stderr, "Failed to post captcha solution, response: %s\n", response.c_str());
+ solution_response_callback(std::nullopt, std::nullopt);
+ return false;
+ }
+ });
+ }
+} \ No newline at end of file
diff --git a/src/QuickMedia.cpp b/src/QuickMedia.cpp
index ea3524c..c1910ad 100644
--- a/src/QuickMedia.cpp
+++ b/src/QuickMedia.cpp
@@ -7,6 +7,7 @@
#include "../include/Program.h"
#include "../include/VideoPlayer.hpp"
#include "../include/StringUtils.hpp"
+#include "../include/GoogleCaptcha.hpp"
#include <cppcodec/base64_rfc4648.hpp>
#include <SFML/Graphics/RectangleShape.hpp>
@@ -278,7 +279,7 @@ namespace QuickMedia {
static void show_notification(const std::string &title, const std::string &description, Urgency urgency = Urgency::NORMAL) {
const char *args[] = { "notify-send", "-u", urgency_string(urgency), "--", title.c_str(), description.c_str(), nullptr };
- exec_program(args, nullptr, nullptr);
+ exec_program_async(args, nullptr);
printf("Notification: title: %s, description: %s\n", title.c_str(), description.c_str());
}
@@ -1031,7 +1032,7 @@ namespace QuickMedia {
return true;
std::string image_content;
- if(current_plugin->download_to_string(url, image_content) != DownloadResult::OK) {
+ if(download_to_string(url, image_content) != DownloadResult::OK) {
show_notification("Manganelo", "Failed to download image: " + url, Urgency::CRITICAL);
return false;
}
@@ -1423,6 +1424,9 @@ namespace QuickMedia {
void Program::image_board_thread_page() {
assert(current_plugin->is_image_board());
+ // TODO: Support image board other than 4chan. To make this work, the captcha code needs to be changed
+ // to work with other captcha than google captcha
+ assert(current_plugin->name == "4chan");
ImageBoard *image_board = static_cast<ImageBoard*>(current_plugin);
if(image_board->get_thread_comments(image_board_thread_list_url, content_url, body->items) != PluginResult::OK) {
show_notification("Content details", "Failed to get content details for url: " + content_url, Urgency::CRITICAL);
@@ -1433,13 +1437,135 @@ namespace QuickMedia {
return;
}
+ const std::string &board = image_board_thread_list_url;
+ const std::string &thread = content_url;
+
+ fprintf(stderr, "boards: %s, thread: %s\n", board.c_str(), thread.c_str());
+
+ // TODO: Instead of using stage here, use different pages for each stage
+ enum class NavigationStage {
+ VIEWING_COMMENTS,
+ REPLYING,
+ SOLVING_POST_CAPTCHA,
+ POSTING_SOLUTION,
+ POSTING_COMMENT
+ };
+
+ NavigationStage navigation_stage = NavigationStage::VIEWING_COMMENTS;
+ std::future<bool> captcha_request_future;
+ std::future<bool> captcha_post_solution_future;
+ std::future<bool> post_comment_future;
+ sf::Texture captcha_texture;
+ sf::Sprite captcha_sprite;
+ std::mutex captcha_image_mutex;
+
+ GoogleCaptchaChallengeInfo challenge_info;
+ sf::Text challenge_description_text("", font, 24);
+ challenge_description_text.setFillColor(sf::Color::White);
+ const size_t captcha_num_columns = 3;
+ const size_t captcha_num_rows = 3;
+ std::array<bool, captcha_num_columns * captcha_num_rows> selected_captcha_images;
+ for(size_t i = 0; i < selected_captcha_images.size(); ++i) {
+ selected_captcha_images[i] = false;
+ }
+ sf::RectangleShape captcha_selection_rect;
+ captcha_selection_rect.setOutlineThickness(5.0f);
+ captcha_selection_rect.setOutlineColor(sf::Color(0, 85, 119));
+ // TODO: Draw only the outline instead of a transparent rectangle
+ captcha_selection_rect.setFillColor(sf::Color::Transparent);
+
+ // Valid for 2 minutes after solving a captcha
+ std::string captcha_post_id;
+ sf::Clock captcha_solved_time;
+ std::string comment_to_post;
+
+ // TODO: Show a white image with "Loading..." text while the captcha image is downloading
+
+ // TODO: Make this work with other sites than 4chan
+ auto request_google_captcha_image = [this, &captcha_texture, &captcha_image_mutex, &navigation_stage, &captcha_sprite, &challenge_description_text](GoogleCaptchaChallengeInfo &challenge_info) {
+ std::string payload_image_data;
+ DownloadResult download_image_result = download_to_string(challenge_info.payload_url, payload_image_data, {}, current_plugin->use_tor);
+ if(download_image_result == DownloadResult::OK) {
+ std::lock_guard<std::mutex> lock(captcha_image_mutex);
+ if(captcha_texture.loadFromMemory(payload_image_data.data(), payload_image_data.size())) {
+ captcha_texture.setSmooth(true);
+ captcha_sprite.setTexture(captcha_texture, true);
+ challenge_description_text.setString(challenge_info.description);
+ } else {
+ show_notification("Google captcha", "Failed to load downloaded captcha image", Urgency::CRITICAL);
+ navigation_stage = NavigationStage::VIEWING_COMMENTS;
+ }
+ } else {
+ show_notification("Google captcha", "Failed to download captcha image", Urgency::CRITICAL);
+ navigation_stage = NavigationStage::VIEWING_COMMENTS;
+ }
+ };
+
+ auto request_new_google_captcha_challenge = [this, &selected_captcha_images, &navigation_stage, &captcha_request_future, &request_google_captcha_image, &challenge_info]() {
+ fprintf(stderr, "Solving captcha!\n");
+ navigation_stage = NavigationStage::SOLVING_POST_CAPTCHA;
+ for(size_t i = 0; i < selected_captcha_images.size(); ++i) {
+ selected_captcha_images[i] = false;
+ }
+ const std::string fourchan_google_captcha_api_key = "6Ldp2bsSAAAAAAJ5uyx_lx34lJeEpTLVkP5k04qc";
+ const std::string referer = "https://boards.4chan.org/";
+ captcha_request_future = google_captcha_request_challenge(fourchan_google_captcha_api_key, referer,
+ [&navigation_stage, &request_google_captcha_image, &challenge_info](std::optional<GoogleCaptchaChallengeInfo> new_challenge_info) {
+ if(navigation_stage != NavigationStage::SOLVING_POST_CAPTCHA)
+ return;
+
+ if(new_challenge_info) {
+ challenge_info = new_challenge_info.value();
+ request_google_captcha_image(challenge_info);
+ } else {
+ show_notification("Google captcha", "Failed to get captcha challenge", Urgency::CRITICAL);
+ navigation_stage = NavigationStage::VIEWING_COMMENTS;
+ }
+ }, current_plugin->use_tor);
+ };
+
+ auto post_comment = [this, &navigation_stage, &image_board, &board, &thread, &captcha_post_id, &comment_to_post, &request_new_google_captcha_challenge]() {
+ navigation_stage = NavigationStage::POSTING_COMMENT;
+ PostResult post_result = image_board->post_comment(board, thread, captcha_post_id, comment_to_post);
+ if(post_result == PostResult::OK) {
+ show_notification(current_plugin->name, "Comment posted!");
+ navigation_stage = NavigationStage::VIEWING_COMMENTS;
+ // TODO: Append posted comment to the thread so the user can see their posted comment.
+ // TODO: Asynchronously update the thread periodically to show new comments.
+ } else if(post_result == PostResult::TRY_AGAIN) {
+ show_notification(current_plugin->name, "Error while posting, did the captcha expire? Please try again");
+ // TODO: Check if the response contains a new captcha instead of requesting a new one manually
+ request_new_google_captcha_challenge();
+ } else if(post_result == PostResult::BANNED) {
+ show_notification(current_plugin->name, "Failed to post comment because you are banned", Urgency::CRITICAL);
+ navigation_stage = NavigationStage::VIEWING_COMMENTS;
+ } else if(post_result == PostResult::ERR) {
+ show_notification(current_plugin->name, "Failed to post comment. Is " + current_plugin->name + " down or is your internet down?", Urgency::CRITICAL);
+ navigation_stage = NavigationStage::VIEWING_COMMENTS;
+ } else {
+ assert(false && "Unhandled post result");
+ show_notification(current_plugin->name, "Failed to post comment. Unknown error", Urgency::CRITICAL);
+ navigation_stage = NavigationStage::VIEWING_COMMENTS;
+ }
+ };
+
// Instead of using search bar to searching, use it for commenting.
// TODO: Have an option for the search bar to be multi-line.
search_bar->onTextUpdateCallback = nullptr;
- search_bar->onTextSubmitCallback = [this](const std::string &text) -> bool {
+ search_bar->onTextSubmitCallback = [&post_comment_future, &navigation_stage, &request_new_google_captcha_challenge, &comment_to_post, &captcha_post_id, &captcha_solved_time, &post_comment](const std::string &text) -> bool {
if(text.empty())
return false;
+ assert(navigation_stage == NavigationStage::REPLYING);
+ comment_to_post = text;
+ if(!captcha_post_id.empty() && captcha_solved_time.getElapsedTime().asSeconds() < 120) {
+ post_comment_future = std::async(std::launch::async, [&post_comment]() -> bool {
+ post_comment();
+ return true;
+ });
+ } else {
+ request_new_google_captcha_challenge();
+ }
return true;
};
@@ -1463,7 +1589,7 @@ namespace QuickMedia {
if(event.type == sf::Event::Resized || event.type == sf::Event::GainedFocus)
redraw = true;
- else if(event.type == sf::Event::KeyPressed) {
+ else if(event.type == sf::Event::KeyPressed && navigation_stage == NavigationStage::VIEWING_COMMENTS) {
if(event.key.code == sf::Keyboard::Up) {
body->select_previous_item();
} else if(event.key.code == sf::Keyboard::Down) {
@@ -1502,6 +1628,65 @@ namespace QuickMedia {
body->items[reply_index]->visible = true;
}
}
+ } else if(event.key.code == sf::Keyboard::R && sf::Keyboard::isKeyPressed(sf::Keyboard::LControl) && selected_item) {
+ navigation_stage = NavigationStage::REPLYING;
+ fprintf(stderr, "Replying!\n");
+ }
+ } else if(event.type == sf::Event::TextEntered && navigation_stage == NavigationStage::REPLYING) {
+ search_bar->onTextEntered(event.text.unicode);
+ }
+
+ if(event.type == sf::Event::KeyPressed && navigation_stage == NavigationStage::REPLYING) {
+ if(event.key.code == sf::Keyboard::Escape) {
+ search_bar->clear();
+ navigation_stage = NavigationStage::VIEWING_COMMENTS;
+ }
+ }
+
+ if(event.type == sf::Event::KeyPressed && navigation_stage == NavigationStage::SOLVING_POST_CAPTCHA) {
+ int num = -1;
+ if(event.key.code >= sf::Keyboard::Num1 && event.key.code <= sf::Keyboard::Num9) {
+ num = event.key.code - sf::Keyboard::Num1;
+ } else if(event.key.code >= sf::Keyboard::Numpad1 && event.key.code <= sf::Keyboard::Numpad9) {
+ num = event.key.code - sf::Keyboard::Numpad1;
+ }
+
+ constexpr int select_map[9] = { 6, 7, 8, 3, 4, 5, 0, 1, 2 };
+ if(num != -1) {
+ int index = select_map[num];
+ selected_captcha_images[index] = !selected_captcha_images[index];
+ }
+
+ if(event.key.code == sf::Keyboard::Escape) {
+ navigation_stage = NavigationStage::VIEWING_COMMENTS;
+ } else if(event.key.code == sf::Keyboard::Enter) {
+ navigation_stage = NavigationStage::POSTING_SOLUTION;
+ const std::string fourchan_google_captcha_api_key = "6Ldp2bsSAAAAAAJ5uyx_lx34lJeEpTLVkP5k04qc";
+ captcha_post_solution_future = google_captcha_post_solution(fourchan_google_captcha_api_key, challenge_info.id, selected_captcha_images,
+ [&navigation_stage, &captcha_post_id, &captcha_solved_time, &selected_captcha_images, &challenge_info, &request_google_captcha_image, &post_comment](std::optional<std::string> new_captcha_post_id, std::optional<GoogleCaptchaChallengeInfo> new_challenge_info) {
+ if(navigation_stage != NavigationStage::POSTING_SOLUTION)
+ return;
+
+ if(new_captcha_post_id) {
+ captcha_post_id = new_captcha_post_id.value();
+ captcha_solved_time.restart();
+ post_comment();
+ } else if(new_challenge_info) {
+ show_notification("Google captcha", "Failed to solve captcha, please try again");
+ challenge_info = new_challenge_info.value();
+ navigation_stage = NavigationStage::SOLVING_POST_CAPTCHA;
+ for(size_t i = 0; i < selected_captcha_images.size(); ++i) {
+ selected_captcha_images[i] = false;
+ }
+ request_google_captcha_image(challenge_info);
+ }
+ }, current_plugin->use_tor);
+ }
+ }
+
+ if(event.type == sf::Event::KeyPressed && (navigation_stage == NavigationStage::POSTING_SOLUTION || navigation_stage == NavigationStage::POSTING_COMMENT)) {
+ if(event.key.code == sf::Keyboard::Escape) {
+ navigation_stage = NavigationStage::VIEWING_COMMENTS;
}
}
}
@@ -1527,9 +1712,54 @@ namespace QuickMedia {
//search_bar->update();
window.clear(back_color);
- body->draw(window, body_pos, body_size);
- search_bar->draw(window);
+ if(navigation_stage == NavigationStage::SOLVING_POST_CAPTCHA) {
+ std::lock_guard<std::mutex> lock(captcha_image_mutex);
+ if(captcha_texture.getNativeHandle() != 0) {
+ const float challenge_description_height = challenge_description_text.getCharacterSize() + 10.0f;
+ sf::Vector2f content_size = window_size;
+ content_size.y -= challenge_description_height;
+
+ sf::Vector2u captcha_texture_size = captcha_texture.getSize();
+ sf::Vector2f captcha_texture_size_f(captcha_texture_size.x, captcha_texture_size.y);
+ auto image_scale = get_ratio(captcha_texture_size_f, clamp_to_size(captcha_texture_size_f, content_size));
+ captcha_sprite.setScale(image_scale);
+
+ auto image_size = captcha_texture_size_f;
+ image_size.x *= image_scale.x;
+ image_size.y *= image_scale.y;
+ captcha_sprite.setPosition(std::floor(content_size.x * 0.5f - image_size.x * 0.5f), std::floor(challenge_description_height + content_size.y * 0.5f - image_size.y * 0.5f));
+ window.draw(captcha_sprite);
+
+ challenge_description_text.setPosition(captcha_sprite.getPosition() + sf::Vector2f(image_size.x * 0.5f, 0.0f) - sf::Vector2f(challenge_description_text.getLocalBounds().width * 0.5f, challenge_description_height));
+ window.draw(challenge_description_text);
+
+ for(size_t column = 0; column < captcha_num_columns; ++column) {
+ for(size_t row = 0; row < captcha_num_rows; ++row) {
+ if(selected_captcha_images[column + captcha_num_columns * row]) {
+ captcha_selection_rect.setPosition(captcha_sprite.getPosition() + sf::Vector2f(image_size.x / captcha_num_columns * column, image_size.y / captcha_num_rows * row));
+ captcha_selection_rect.setSize(sf::Vector2f(image_size.x / captcha_num_columns, image_size.y / captcha_num_rows));
+ window.draw(captcha_selection_rect);
+ }
+ }
+ }
+ }
+ } else if(navigation_stage == NavigationStage::POSTING_SOLUTION) {
+ // TODO: Show "Posting..." when posting solution
+ } else if(navigation_stage == NavigationStage::POSTING_COMMENT) {
+ // TODO: Show "Posting..." when posting comment
+ } else {
+ body->draw(window, body_pos, body_size);
+ search_bar->draw(window);
+ }
window.display();
}
+
+ // TODO: Instead of waiting for them, kill them somehow
+ if(captcha_request_future.valid())
+ captcha_request_future.get();
+ if(captcha_post_solution_future.valid())
+ captcha_post_solution_future.get();
+ if(post_comment_future.valid())
+ post_comment_future.get();
}
} \ No newline at end of file
diff --git a/src/StringUtils.cpp b/src/StringUtils.cpp
index deb4949..16d3b48 100644
--- a/src/StringUtils.cpp
+++ b/src/StringUtils.cpp
@@ -14,4 +14,37 @@ namespace QuickMedia {
index = new_index + 1;
}
}
+
+ void string_replace_all(std::string &str, const std::string &old_str, const std::string &new_str) {
+ size_t index = 0;
+ while(true) {
+ index = str.find(old_str, index);
+ if(index == std::string::npos)
+ return;
+ str.replace(index, old_str.size(), new_str);
+ }
+ }
+
+ static bool is_whitespace(char c) {
+ return c == ' ' || c == '\n' || c == '\t' || c == '\v';
+ }
+
+ std::string strip(const std::string &str) {
+ if(str.empty())
+ return str;
+
+ int start = 0;
+ for(; start < (int)str.size(); ++start) {
+ if(!is_whitespace(str[start]))
+ break;
+ }
+
+ int end = str.size() - 1;
+ for(; end >= start; --end) {
+ if(!is_whitespace(str[end]))
+ break;
+ }
+
+ return str.substr(start, end - start + 1);
+ }
} \ No newline at end of file
diff --git a/src/plugins/Fourchan.cpp b/src/plugins/Fourchan.cpp
index 4df77c4..cd3f7e7 100644
--- a/src/plugins/Fourchan.cpp
+++ b/src/plugins/Fourchan.cpp
@@ -10,302 +10,6 @@
static const std::string fourchan_url = "https://a.4cdn.org/";
static const std::string fourchan_image_url = "https://i.4cdn.org/";
-// Legacy recaptcha command: curl 'https://www.google.com/recaptcha/api/fallback?k=6Ldp2bsSAAAAAAJ5uyx_lx34lJeEpTLVkP5k04qc' -H 'Referer: https://boards.4channel.org/' -H 'Cookie: CONSENT=YES'
-
-/*
-Answering recaptcha:
-curl 'https://www.google.com/recaptcha/api/fallback?k=6Ldp2bsSAAAAAAJ5uyx_lx34lJeEpTLVkP5k04qc'
--H 'User-Agent: Mozilla/5.0 (X11; Linux x86_64; rv:68.0) Gecko/20100101 Firefox/68.0'
--H 'Referer: https://www.google.com/recaptcha/api/fallback?k=6Ldp2bsSAAAAAAJ5uyx_lx34lJeEpTLVkP5k04qc'
--H 'Content-Type: application/x-www-form-urlencoded'
---data 'c=03AOLTBLQ66PjSi9s8S-R1vUS2Jgm-Z_ghEejvvjAaeF3FoR9MiM0zHhCxuertrCo7MAcFUEqcIg4l2WJzVtrJhJVLkncF12OzCaeIvbm46hgDZDZjLD89-LMn1Zs0TP37P-Hd4cuRG8nHuEBXc2ZBD8CVX-6HAs9VBgSmsgQeKF1PWm1tAMBccJhlh4rAOkpjzaEXMMGOe17N0XViwDYZxLGhe4H8IAG2KNB1fb4rz4YKJTPbL30_FvHw7zkdFtojjWiqVW0yCN6N192dhfd9oKz2r9pGRrR6N4AkkX-L0DsBD4yNK3QRsQn3dB1fs3JRZPAh1yqUqTQYhOaqdggyc1EwL8FZHouGRkHTOcCmLQjyv6zuhi6CJbg&response=1&response=4&response=5&response=7'
-*/
-/*
-Response:
-<!DOCTYPE HTML>
-<html dir="ltr">
- <head>
- <meta http-equiv="content-type" content="text/html; charset=UTF-8">
- <meta http-equiv="X-UA-Compatible" content="IE=edge">
- <title>reCAPTCHA challenge</title>
- <link rel="stylesheet" href="https://www.gstatic.com/recaptcha/releases/0bBqi43w2fj-Lg1N3qzsqHNu/fallback__ltr.css" type="text/css" charset="utf-8">
- </head>
- <body>
- <div class="fbc">
- <div class="fbc-alert"></div>
- <div class="fbc-header">
- <div class="fbc-logo">
- <div class="fbc-logo-img"></div>
- <div class="fbc-logo-text">reCAPTCHA</div>
- </div>
- </div>
- <div class="fbc-success">
- <div class="fbc-message">Copy this code and paste it in the empty box below</div>
- <div class="fbc-verification-token"><textarea dir="ltr" readonly>03AOLTBLTgp-3_4rll3cj-7vPEuXf3I1T371oFiNjfvmu5XtyraKJis7dxiOMNJxIhgn4qHkxpo4SoEwZvQMq3QdK-CPj-Hlu_GbJ74qKw37QeMqOPGciWeFko53F_GLEh2XWjB2b83WTE2ecXXB2MKQAxVGR09VMxlencPojYU3gOTTPc3hhvMz42w0MBxwaisrocB29oL0zpNfWCwdQHjujeLM0C96_rroeprwSM-DI-3FcBJqinLjvJnLXIw47Uve84pn-VOIdR</textarea></div>
- <script nonce="cP5blNrqx/Tso76NX9b4qw">document.getElementsByClassName("fbc-verification-token")[0].firstChild.onclick = function() {this.select();};</script>
- <div class="fbc-message fbc-valid-time">This code is valid for 2 minutes</div>
- </div>
- <div class="fbc-separator"></div>
- <div class="fbc-privacy"><a href="https://www.google.com/intl/en/policies/privacy/" target="_blank">Privacy</a> - <a href="https://www.google.com/intl/en/policies/terms/" target="_blank">Terms</a></div>
- </div>
- <script nonce="cP5blNrqx/Tso76NX9b4qw">document.body.className += " js-enabled";</script>
- </body>
-</html>
-*/
-
-/* Posting message:
-curl 'https://sys.4chan.org/bant/post'
--H 'User-Agent: Mozilla/5.0 (X11; Linux x86_64; rv:68.0) Gecko/20100101 Firefox/68.0'
--H 'Referer: https://boards.4chan.org/'
--H 'Content-Type: multipart/form-data; boundary=---------------------------119561554312148213571335532670'
--H 'Origin: https://boards.4chan.org'
--H 'Cookie: __cfduid=d4bd4932e46bc3272fae4ce7a4e2aac511546800687; 4chan_pass=_SsBuZaATt3dIqfVEWlpemhU5XLQ6i9RC'
---data-binary $'-----------------------------119561554312148213571335532670\r\nContent-Disposition: form-data; name="resto"\r\n\r\n8640736\r\n-----------------------------119561554312148213571335532670\r\nContent-Disposition: form-data; name="com"\r\n\r\n>>8640771\r\nShe looks finnish\r\n-----------------------------119561554312148213571335532670\r\nContent-Disposition: form-data; name="mode"\r\n\r\nregist\r\n-----------------------------119561554312148213571335532670\r\nContent-Disposition: form-data; name="pwd"\r\n\r\n_SsBuZaATt3dIqfVEWlpemhU5XLQ6i9RC\r\n-----------------------------119561554312148213571335532670\r\nContent-Disposition: form-data; name="g-recaptcha-response"\r\n\r\n03AOLTBLS5lshp5aPj5pG6xdVMQ0pHuHxAtJoCEYuPLNKYlsRWNCPQegjB9zgL-vwdGMzjcT-L9iW4bnQ5W3TqUWHOVqtsfnx9GipLUL9o2XbC6r9zy-EEiPde7l6J0WcZbr9nh_MGcUpKl6RGaZoYB3WwXaDq74N5hkmEAbqM_CBtbAVVlQyPmemI2HhO2J6K0yFVKBrBingtIZ6-oXBXZ4jC4rT0PeOuVaH_gf_EBjTpb55ueaPmTbeLGkBxD4-wL1qA8F8h0D8c\r\n-----------------------------119561554312148213571335532670--\r\n'
-*/
-/* Response if banned:
-<!DOCTYPE html>
-<html>
-<head>
-<meta charset="utf-8">
-<meta name="robots" content="noarchive">
-<meta name="description" content="&quot;/g/ - Technology&quot; is 4chan's imageboard for discussing computer hardware and software, programming, and general technology.">
-<meta name="keywords" content="imageboard,worksafe,computer,technology,hardware,software,microsoft,apple,pc,mobile,programming">
-<meta name="referrer" content="origin">
-<meta name="viewport" content="width=device-width,initial-scale=1">
-
-<link rel="shortcut icon" href="//s.4cdn.org/image/favicon-ws.ico">
-<link rel="stylesheet" title="switch" href="//s.4cdn.org/css/yotsubluenew.692.css"><link rel="alternate stylesheet" style="text/css" href="//s.4cdn.org/css/yotsubanew.692.css" title="Yotsuba New"><link rel="alternate stylesheet" style="text/css" href="//s.4cdn.org/css/yotsubluenew.692.css" title="Yotsuba B New"><link rel="alternate stylesheet" style="text/css" href="//s.4cdn.org/css/futabanew.692.css" title="Futaba New"><link rel="alternate stylesheet" style="text/css" href="//s.4cdn.org/css/burichannew.692.css" title="Burichan New"><link rel="alternate stylesheet" style="text/css" href="//s.4cdn.org/css/photon.692.css" title="Photon"><link rel="alternate stylesheet" style="text/css" href="//s.4cdn.org/css/tomorrow.692.css" title="Tomorrow"><link rel="stylesheet" href="//s.4cdn.org/css/yotsubluemobile.692.css"><link rel="stylesheet" href="//s.4cdn.org/js/prettify/prettify.692.css">
-<link rel="canonical" href="http://boards.4channel.org/g/">
-<link rel="alternate" title="RSS feed" href="/g/index.rss" type="application/rss+xml">
-<title>/g/ - Technology - 4chan</title><script type="text/javascript">
-var style_group = "ws_style",
-cssVersion = 692,
-jsVersion = 1042,
-comlen = 2000,
-maxFilesize = 4194304,
-maxLines = 100,
-clickable_ids = 1,
-cooldowns = {"thread":600,"reply":60,"image":60}
-;
-var maxWebmFilesize = 3145728;var board_archived = true;var check_for_block = 1;is_error = "true";</script><script type="text/javascript" data-cfasync="false" src="//s.4cdn.org/js/core.min.1042.js"></script>
-
-<noscript><style type="text/css">#postForm { display: table !important; }#g-recaptcha { display: none; }</style></noscript>
-</head>
-<body class="is_index board_g">
-<span id="id_css"></span>
-
-<div id="boardNavDesktop" class="desktop">
-<span class="boardList">
-[<a href="https://boards.4channel.org/a/" title="Anime & Manga">a</a> /
-<span class="nwsb"><a href="//boards.4chan.org/b/" title="Random">b</a> / </span>
-<a href="https://boards.4channel.org/c/" title="Anime/Cute">c</a> /
-<span class="nwsb"><a href="//boards.4chan.org/d/" title="Hentai/Alternative">d</a> / </span>
-<span class="nwsb"><a href="//boards.4chan.org/e/" title="Ecchi">e</a> / </span>
-<span class="nwsb"><a href="//boards.4chan.org/f/" title="Flash">f</a> / </span>
-<a href="https://boards.4channel.org/g/" title="Technology">g</a> /
-<span class="nwsb"><a href="//boards.4chan.org/gif/" title="Adult GIF">gif</a> / </span>
-<span class="nwsb"><a href="//boards.4chan.org/h/" title="Hentai">h</a> / </span>
-<span class="nwsb"><a href="//boards.4chan.org/hr/" title="High Resolution">hr</a> / </span>
-<a href="https://boards.4channel.org/k/" title="Weapons">k</a> /
-<a href="https://boards.4channel.org/m/" title="Mecha">m</a> /
-<a href="https://boards.4channel.org/o/" title="Auto">o</a> /
-<a href="https://boards.4channel.org/p/" title="Photo">p</a> /
-<span class="nwsb"><a href="//boards.4chan.org/r/" title="Adult Requests">r</a> / </span>
-<span class="nwsb"><a href="//boards.4chan.org/s/" title="Sexy Beautiful Women">s</a> / </span>
-<span class="nwsb"><a href="//boards.4chan.org/t/" title="Torrents">t</a> / </span>
-<span class="nwsb"><a href="//boards.4chan.org/u/" title="Yuri">u</a> / </span>
-<a href="https://boards.4channel.org/v/" title="Video Games">v</a> /
-<a href="https://boards.4channel.org/vg/" title="Video Game Generals">vg</a> /
-<a href="https://boards.4channel.org/vr/" title="Retro Games">vr</a> /
-<a href="https://boards.4channel.org/w/" title="Anime/Wallpapers">w</a>
-<span class="nwsb"> / <a href="//boards.4chan.org/wg/" title="Wallpapers/General">wg</a></span>]
-
-<span class="nwsb">[<a href="//boards.4chan.org/i/" title="Oekaki">i</a> /
-<a href="https://boards.4channel.org/ic/" title="Artwork/Critique">ic</a>] </span>
-
-[<span class="nwsb"><a href="//boards.4chan.org/r9k/" title="ROBOT9001">r9k</a> / </span>
-<span class="nwsb"><a href="//boards.4chan.org/s4s/" title="Shit 4chan Says">s4s</a> / </span>
-<a href="https://boards.4channel.org/vip/" title="Very Important Posts">vip</a> /
-<a href="https://boards.4channel.org/qa/" title="Question &amp; Answer">qa</a>]
-
-[<a href="https://boards.4channel.org/cm/" title="Cute/Male">cm</a> /
-<span class="nwsb"><a href="//boards.4chan.org/hm/" title="Handsome Men">hm</a> / </span>
-<a href="https://boards.4channel.org/lgbt/" title="LGBT">lgbt</a>
-<span class="nwsb"> / <a href="//boards.4chan.org/y/" title="Yaoi">y</a></span>]
-
-[<a href="https://boards.4channel.org/3/" title="3DCG">3</a> /
-<span class="nwsb"><a href="//boards.4chan.org/aco/" title="Adult Cartoons">aco</a> / </span>
-<a href="https://boards.4channel.org/adv/" title="Advice">adv</a> /
-<a href="https://boards.4channel.org/an/" title="Animals & Nature">an</a> /
-<a href="https://boards.4channel.org/asp/" title="Alternative Sports">asp</a> /
-<span class="nwsb"><a href="//boards.4chan.org/bant/" title="International/Random">bant</a> / </span>
-<a href="https://boards.4channel.org/biz/" title="Business & Finance">biz</a> /
-<a href="https://boards.4channel.org/cgl/" title="Cosplay & EGL">cgl</a> /
-<a href="https://boards.4channel.org/ck/" title="Food & Cooking">ck</a> /
-<a href="https://boards.4channel.org/co/" title="Comics & Cartoons">co</a> /
-<a href="https://boards.4channel.org/diy/" title="Do It Yourself">diy</a> /
-<a href="https://boards.4channel.org/fa/" title="Fashion">fa</a> /
-<a href="https://boards.4channel.org/fit/" title="Fitness">fit</a> /
-<a href="https://boards.4channel.org/gd/" title="Graphic Design">gd</a> /
-<span class="nwsb"><a href="//boards.4chan.org/hc/" title="Hardcore">hc</a> / </span>
-<a href="https://boards.4channel.org/his/" title="History & Humanities">his</a> /
-<a href="https://boards.4channel.org/int/" title="International">int</a> /
-<a href="https://boards.4channel.org/jp/" title="Otaku Culture">jp</a> /
-<a href="https://boards.4channel.org/lit/" title="Literature">lit</a> /
-<a href="https://boards.4channel.org/mlp/" title="Pony">mlp</a> /
-<a href="https://boards.4channel.org/mu/" title="Music">mu</a> /
-<a href="https://boards.4channel.org/n/" title="Transportation">n</a> /
-<a href="https://boards.4channel.org/news/" title="Current News">news</a> /
-<a href="https://boards.4channel.org/out/" title="Outdoors">out</a> /
-<a href="https://boards.4channel.org/po/" title="Papercraft & Origami">po</a> /
-<span class="nwsb"><a href="//boards.4chan.org/pol/" title="Politically Incorrect">pol</a> / </span>
-<a href="https://boards.4channel.org/qst/" title="Quests">qst</a> /
-<a href="https://boards.4channel.org/sci/" title="Science & Math">sci</a> /
-<span class="nwsb"><a href="//boards.4chan.org/soc/" title="Cams & Meetups">soc</a> / </span>
-<a href="https://boards.4channel.org/sp/" title="Sports">sp</a> /
-<a href="https://boards.4channel.org/tg/" title="Traditional Games">tg</a> /
-<a href="https://boards.4channel.org/toy/" title="Toys">toy</a> /
-<a href="https://boards.4channel.org/trv/" title="Travel">trv</a> /
-<a href="https://boards.4channel.org/tv/" title="Television & Film">tv</a> /
-<a href="https://boards.4channel.org/vp/" title="Pok&eacute;mon">vp</a> /
-<a href="https://boards.4channel.org/wsg/" title="Worksafe GIF">wsg</a> /
-<a href="https://boards.4channel.org/wsr/" title="Worksafe Requests">wsr</a> /
-<a href="https://boards.4channel.org/x/" title="Paranormal">x</a>]
-
-</span>
-
-<span id="navtopright">[<a href="javascript:void(0);" id="settingsWindowLink">Settings</a>]
-[<a href="/search" title="Search">Search</a>]
-[<a href="//p.4chan.org/" title="Mobile">Mobile</a>]
-[<a href="//www.4channel.org/" target="_top">Home</a>]</span>
-</div>
-
-<div id="boardNavMobile" class="mobile">
- <div class="boardSelect">
- <strong>Board</strong>
- <select id="boardSelectMobile"></select>
- </div>
-
- <div class="pageJump">
- <a href="#bottom">&#9660;</a>
- <a href="javascript:void(0);" id="settingsWindowLinkMobile">Settings</a>
- <a href="//p.4chan.org/">Mobile</a>
- <a href="//www.4channel.org" target="_top">Home</a>
- </div>
-
-</div>
-
-
-<div class="boardBanner">
- <div id="bannerCnt" class="title desktop" data-src="189.jpg"></div>
- <div class="boardTitle">/g/ - Technology</div>
-
-</div>
-<hr class="abovePostForm"><script type="text/javascript">
- setTimeout(function() { window.location = "https://www.4channel.org/banned"; }, 3000);
-</script><table style="text-align: center; width: 100%; height: 300px;"><tr valign="middle"><td align="center" style="font-size: x-large; font-weight: bold;"><span id="errmsg" style="color: red;">Error: You are <a href="https://www.4channel.org/banned" target="_blank">banned</a>.</span><br><br>[<a href=//boards.4channel.org/g/>Return</a>]</td></tr></table><br><br><hr size=1><div id="absbot" class="absBotText">
-
-<div class="mobile">
-<span id="disable-mobile">[<a href="javascript:disableMobile();">Disable Mobile View / Use Desktop Site</a>]<br><br></span>
-<span id="enable-mobile">[<a href="javascript:enableMobile();">Enable Mobile View / Use Mobile Site</a>]<br><br></span>
-</div>
-
-<span class="absBotDisclaimer">
-All trademarks and copyrights on this page are owned by their respective parties. Images uploaded are the responsibility of the Poster. Comments are owned by the Poster.
-</span>
-<div id="footer-links"><a href="//www.4channel.org/faq#what4chan" target="_blank">About</a> &bull; <a href="//www.4channel.org/feedback" target="_blank">Feedback</a> &bull; <a href="//www.4channel.org/legal" target="_blank">Legal</a> &bull; <a href="//www.4channel.org/contact" target="_blank">Contact</a></div>
-</div>
-
-<div id="bottom"></div>
-<script type="text/javascript" src="//s.4cdn.org/js/prettify/prettify.1042.js"></script><script type="text/javascript">prettyPrint();</script><script>var a= document.createElement('script');a.src = 'https://powerad.ai/script.js';a.setAttribute('async','');top.document.querySelector('head').appendChild(a);</script></body></html>
-*/
-/* Banned page:
-<head>
-<meta http-equiv="Content-Type" content="text/html; charset=utf-8">
-<meta name="viewport" content="width=device-width, initial-scale=1.0">
-<meta name="keywords" content="imageboard,image board,forum,bbs,anonymous,chan,anime,manga,ecchi,hentai,video games,english,japan">
-<meta name="robots" content="noarchive">
-<title>4chan - Banned</title><link rel="stylesheet" type="text/css" href="//s.4cdn.org/css/yui.8.css">
-<link rel="stylesheet" type="text/css" href="//s.4cdn.org/css/global.61.css">
-<link rel="shortcut icon" href="//s.4cdn.org/image/favicon.ico">
-<link rel="apple-touch-icon" href="//s.4cdn.org/image/apple-touch-icon-iphone.png">
-<link rel="apple-touch-icon" sizes="72x72" href="//s.4cdn.org/image/apple-touch-icon-ipad.png">
-<link rel="apple-touch-icon" sizes="114x114" href="//s.4cdn.org/image/apple-touch-icon-iphone-retina.png">
-<link rel="apple-touch-icon" sizes="144x144" href="//s.4cdn.org/image/apple-touch-icon-ipad-retina.png">
-<link rel="stylesheet" type="text/css" href="//s.4cdn.org/css/banned.14.css">
-<script async="" src="//www.google-analytics.com/analytics.js"></script><script type="text/javascript">(function(i,s,o,g,r,a,m){i['GoogleAnalyticsObject']=r;i[r]=i[r]||function(){(i[r].q=i[r].q||[]).push(arguments)},i[r].l=1*new Date();a=s.createElement(o),m=s.getElementsByTagName(o)[0];a.async=1;a.src=g;m.parentNode.insertBefore(a,m)})(window,document,'script','//www.google-analytics.com/analytics.js','ga');
-var tid = /(^|\.)4channel.org$/.test(location.host) ? 'UA-166538-5' : 'UA-166538-1';
-ga('create', tid, {'sampleRate': 1});
-ga('set', 'anonymizeIp', true);
-ga('send','pageview')</script>
-<script type="text/javascript" src="//s.4cdn.org/js/banned.14.js"></script>
-<style type="text/css">#verify-btn { margin-top: 15px; }</style><style type="text/css">#quote-preview {display: block;position: absolute;padding: 3px 6px 6px 3px;margin: 0;text-align: left;border-width: 1px 2px 2px 1px;border-style: solid;}#quote-preview.nws {color: #800000;border-color: #D9BFB7;}#quote-preview.ws {color: #000;border-color: #B7C5D9;}#quote-preview.ws a {color: #34345C;}#quote-preview input {margin: 3px 3px 3px 4px;}.ws.reply {background-color: #D6DAF0;}.nws.reply {background-color: #F0E0D6;}.subject {font-weight: bold;}.ws .subject {color: #0F0C5D;}.nws .subject {color: #CC1105;}.quote {color: #789922;}.quotelink,.deadlink {color: #789922 !important;}.ws .useremail .postertrip,.ws .useremail .name {color: #34345C !important;}.nws .useremail .postertrip,.nws .useremail .name {color: #0000EE !important;}.nameBlock {display: inline-block;}.name {color: #117743;font-weight: bold;}.postertrip {color: #117743;font-weight: normal !important;}.postNum a {text-decoration: none;}.ws .postNum a {color: #000 !important;}.nws .postNum a {color: #800000 !important;}.fileInfo {margin-left: 20px;}.fileThumb {float: left;margin: 3px 20px 5px;}.fileThumb img {border: none;float: left;}s {background-color: #000000 !important;}.capcode {font-weight: bold !important;}.nameBlock.capcodeAdmin span.name, span.capcodeAdmin span.name a, span.capcodeAdmin span.postertrip, span.capcodeAdmin strong.capcode {color: #FF0000 !important;}.nameBlock.capcodeMod span.name, span.capcodeMod span.name a, span.capcodeMod span.postertrip, span.capcodeMod strong.capcode {color: #800080 !important;}.nameBlock.capcodeDeveloper span.name, span.capcodeDeveloper span.name a, span.capcodeDeveloper span.postertrip, span.capcodeDeveloper strong.capcode {color: #0000F0 !important;}.identityIcon {height: 16px;margin-bottom: -3px;width: 16px;}.postMessage {margin: 13px 40px 13px 40px;}.countryFlag {margin-bottom: -1px;padding-top: 1px;}.fileDeletedRes {height: 13px;width: 127px;}span.fileThumb, span.fileThumb img {float: none !important;margin-bottom: 0 !important;margin-top: 0 !important;}</style><style>#captcha-cnt {
- height: auto;
-}
-:root:not(.js-enabled) #form {
- display: block;
-}
-#bd > div[style], #bd > div[style] > * {
- height: auto !important;
- margin: 0 !important;
- font-size: 0;
-}
-</style></head>
-<body>
-<div id="doc">
-<div id="hd">
-<div id="logo-fp">
-<a href="//www.4chan.org/" title="Home"><img alt="4chan" src="//s.4cdn.org/image/fp/logo-transparent.png" width="300" height="120"></a>
-</div>
-</div>
-<div class="box-outer top-box">
-<div class="box-inner">
-<div class="boxbar">
-<h2>You are <span class="banType">banned</span>! ;_;</h2>
-</div>
-<div class="boxcontent">
-<img src="https://sys.4chan.org/image/error/banned/250/rid.php" alt="Banned" style="float: right; padding-left: 10px; min-height: 150px;" width="250">
-<script type="text/javascript">var banjson_0 = {"no":73505519,"now":"11\/09\/19(Sat)16:10:01","name":"Anonymous","com":"<span class=\"deadlink\">&gt;&gt;73505385<\/span><br>People like you are considered right-wing now, according to the left (since the left has gone futher left, they think everybody else has gone further right. There are studies on on political leaning over time that matches this)","id":"","board":"g","ws_board":1}</script>
-You have been banned from <b class="board">/g/</b> for posting <a href="#" class="bannedPost_0">&gt;&gt;73505519</a>, a violation of <b>Rule 1</b>:<br><br>
-<b class="reason">Off-topic; all images and discussion should pertain to technology and related topics.</b><br><br>
-Your ban was filed on <b class="startDate">November 9th, 2019</b> and expires on <b class="endDate">November 10th, 2019 at 22:10 ET</b>, which is 23 hours and 14 minutes from now.
-<br><br>
-According to our server, your IP is: <b class="bannedIp">YOURIP</b>. The name you were posting with was <span class="nameBlock"><span class="name">Anonymous</span></span>.<br>
-<br>
-Because of the short length of your ban, you may not appeal it. Please check back when your ban has expired.
-<br class="clear-bug">
-</div>
-</div>
-</div>
-<div class="yui-g">
-<div class="yui-u first">
-</div><div class="yui-u">
-</div>
-</div>
-</div>
-<div id="ft"><ul><li class="fill">
-</li><li class="first"><a href="/">Home</a></li>
-<li><a href="/4channews.php">News</a></li>
-<li><a href="http://blog.4chan.org/">Blog</a></li>
-<li><a href="/faq">FAQ</a></li>
-<li><a href="/rules">Rules</a></li>
-<li><a href="/pass">Support 4chan</a></li>
-<li><a href="/advertise">Advertise</a></li>
-<li><a href="/press">Press</a></li>
-<li><a href="/japanese">日本語</a></li>
-</ul>
-<br class="clear-bug">
-<div id="copyright"><a href="/faq#what4chan">About</a> • <a href="/feedback">Feedback</a> • <a href="/legal">Legal</a> • <a href="/contact">Contact</a><br><br><br>
-Copyright © 2003-2019 4chan community support LLC. All rights reserved.
-</div>
-</div>
-
-<div id="modal-bg"></div>
-
-
-</body>
-*/
-
namespace QuickMedia {
PluginResult Fourchan::get_front_page(BodyItems &result_items) {
std::string server_response;
@@ -658,4 +362,34 @@ namespace QuickMedia {
return PluginResult::OK;
}
+
+ PostResult Fourchan::post_comment(const std::string &board, const std::string &thread, const std::string &captcha_id, const std::string &comment) {
+ std::string url = "https://sys.4chan.org/" + board + "/post";
+ std::vector<FormData> form_data = {
+ FormData{"resto", thread},
+ FormData{"com", comment},
+ FormData{"mode", "regist"},
+ FormData{"g-recaptcha-response", captcha_id}
+ };
+
+ std::vector<CommandArg> additional_args = {
+ CommandArg{"-H", "Referer: https://boards.4chan.org/"},
+ CommandArg{"-H", "Content-Type: multipart/form-data; boundary=---------------------------119561554312148213571335532670"},
+ CommandArg{"-H", "Origin: https://boards.4chan.org"}
+ };
+ std::vector<CommandArg> form_data_args = create_command_args_from_form_data(form_data);
+ additional_args.insert(additional_args.end(), form_data_args.begin(), form_data_args.end());
+
+ std::string response;
+ if(download_to_string(url, response, additional_args, use_tor) != DownloadResult::OK)
+ return PostResult::ERR;
+
+ if(response.find("successful") != std::string::npos)
+ return PostResult::OK;
+ if(response.find("banned") != std::string::npos)
+ return PostResult::BANNED;
+ if(response.find("try again") != std::string::npos || response.find("No valid captcha") != std::string::npos)
+ return PostResult::TRY_AGAIN;
+ return PostResult::ERR;
+ }
} \ No newline at end of file
diff --git a/src/plugins/Plugin.cpp b/src/plugins/Plugin.cpp
index 7c31292..a9adf15 100644
--- a/src/plugins/Plugin.cpp
+++ b/src/plugins/Plugin.cpp
@@ -1,15 +1,8 @@
#include "../../plugins/Plugin.hpp"
-#include "../../include/Program.h"
#include <sstream>
#include <iomanip>
#include <array>
-static int accumulate_string(char *data, int size, void *userdata) {
- std::string *str = (std::string*)userdata;
- str->append(data, size);
- return 0;
-}
-
namespace QuickMedia {
SearchResult Plugin::search(const std::string &text, BodyItems &result_items) {
(void)text;
@@ -28,44 +21,11 @@ namespace QuickMedia {
return {};
}
- static bool is_whitespace(char c) {
- return c == ' ' || c == '\n' || c == '\t' || c == '\v';
- }
-
- std::string strip(const std::string &str) {
- if(str.empty())
- return str;
-
- int start = 0;
- for(; start < (int)str.size(); ++start) {
- if(!is_whitespace(str[start]))
- break;
- }
-
- int end = str.size() - 1;
- for(; end >= start; --end) {
- if(!is_whitespace(str[end]))
- break;
- }
-
- return str.substr(start, end - start + 1);
- }
-
struct HtmlEscapeSequence {
std::string escape_sequence;
std::string unescaped_str;
};
- void string_replace_all(std::string &str, const std::string &old_str, const std::string &new_str) {
- size_t index = 0;
- while(true) {
- index = str.find(old_str, index);
- if(index == std::string::npos)
- return;
- str.replace(index, old_str.size(), new_str);
- }
- }
-
void html_unescape_sequences(std::string &str) {
const std::array<HtmlEscapeSequence, 6> escape_sequences = {
HtmlEscapeSequence { "&quot;", "\"" },
@@ -97,23 +57,4 @@ namespace QuickMedia {
return result.str();
}
-
- DownloadResult Plugin::download_to_string(const std::string &url, std::string &result, const std::vector<CommandArg> &additional_args) {
- sf::Clock timer;
- std::vector<const char*> args;
- if(use_tor)
- args.push_back("torsocks");
- args.insert(args.end(), { "curl", "-f", "-H", "Accept-Language: en-US,en;q=0.5", "--compressed", "-s", "-L" });
- for(const CommandArg &arg : additional_args) {
- args.push_back(arg.option.c_str());
- args.push_back(arg.value.c_str());
- }
- args.push_back("--");
- args.push_back(url.c_str());
- args.push_back(nullptr);
- if(exec_program(args.data(), accumulate_string, &result) != 0)
- return DownloadResult::NET_ERR;
- fprintf(stderr, "Download duration for %s: %d ms\n", url.c_str(), timer.getElapsedTime().asMilliseconds());
- return DownloadResult::OK;
- }
} \ No newline at end of file