make clang-format using clang-format-3.6

This commit is contained in:
Tatsuhiro Tsujikawa 2015-12-27 18:39:47 +09:00
parent 4abad2f64c
commit b1132d6b10
1095 changed files with 30423 additions and 33770 deletions

View file

@ -43,7 +43,7 @@
int downloadEventCallback(aria2::Session* session, aria2::DownloadEvent event, int downloadEventCallback(aria2::Session* session, aria2::DownloadEvent event,
aria2::A2Gid gid, void* userData) aria2::A2Gid gid, void* userData)
{ {
switch(event) { switch (event) {
case aria2::EVENT_ON_DOWNLOAD_COMPLETE: case aria2::EVENT_ON_DOWNLOAD_COMPLETE:
std::cerr << "COMPLETE"; std::cerr << "COMPLETE";
break; break;
@ -55,15 +55,17 @@ int downloadEventCallback(aria2::Session* session, aria2::DownloadEvent event,
} }
std::cerr << " [" << aria2::gidToHex(gid) << "] "; std::cerr << " [" << aria2::gidToHex(gid) << "] ";
aria2::DownloadHandle* dh = aria2::getDownloadHandle(session, gid); aria2::DownloadHandle* dh = aria2::getDownloadHandle(session, gid);
if(!dh) return 0; if (!dh)
if(dh->getNumFiles() > 0) { return 0;
if (dh->getNumFiles() > 0) {
aria2::FileData f = dh->getFile(1); aria2::FileData f = dh->getFile(1);
// Path may be empty if the file name has not been determined yet. // Path may be empty if the file name has not been determined yet.
if(f.path.empty()) { if (f.path.empty()) {
if(!f.uris.empty()) { if (!f.uris.empty()) {
std::cerr << f.uris[0].uri; std::cerr << f.uris[0].uri;
} }
} else { }
else {
std::cerr << f.path; std::cerr << f.path;
} }
} }
@ -75,7 +77,7 @@ int downloadEventCallback(aria2::Session* session, aria2::DownloadEvent event,
int main(int argc, char** argv) int main(int argc, char** argv)
{ {
int rv; int rv;
if(argc < 2) { if (argc < 2) {
std::cerr << "Usage: libaria2ex URI [URI...]\n" std::cerr << "Usage: libaria2ex URI [URI...]\n"
<< "\n" << "\n"
<< " Download given URIs in parallel in the current directory." << " Download given URIs in parallel in the current directory."
@ -92,46 +94,45 @@ int main(int argc, char** argv)
config.downloadEventCallback = downloadEventCallback; config.downloadEventCallback = downloadEventCallback;
session = aria2::sessionNew(aria2::KeyVals(), config); session = aria2::sessionNew(aria2::KeyVals(), config);
// Add download item to session // Add download item to session
for(int i = 1; i < argc; ++i) { for (int i = 1; i < argc; ++i) {
std::vector<std::string> uris = {argv[i]}; std::vector<std::string> uris = {argv[i]};
aria2::KeyVals options; aria2::KeyVals options;
rv = aria2::addUri(session, nullptr, uris, options); rv = aria2::addUri(session, nullptr, uris, options);
if(rv < 0) { if (rv < 0) {
std::cerr << "Failed to add download " << uris[0] << std::endl; std::cerr << "Failed to add download " << uris[0] << std::endl;
} }
} }
auto start = std::chrono::steady_clock::now(); auto start = std::chrono::steady_clock::now();
for(;;) { for (;;) {
rv = aria2::run(session, aria2::RUN_ONCE); rv = aria2::run(session, aria2::RUN_ONCE);
if(rv != 1) { if (rv != 1) {
break; break;
} }
// the application can call aria2 API to add URI or query progress // the application can call aria2 API to add URI or query progress
// here // here
auto now = std::chrono::steady_clock::now(); auto now = std::chrono::steady_clock::now();
auto count = std::chrono::duration_cast<std::chrono::milliseconds> auto count = std::chrono::duration_cast<std::chrono::milliseconds>(
(now - start).count(); now - start).count();
// Print progress information once per 500ms // Print progress information once per 500ms
if(count >= 500) { if (count >= 500) {
start = now; start = now;
aria2::GlobalStat gstat = aria2::getGlobalStat(session); aria2::GlobalStat gstat = aria2::getGlobalStat(session);
std::cerr << "Overall #Active:" << gstat.numActive std::cerr << "Overall #Active:" << gstat.numActive
<< " #waiting:" << gstat.numWaiting << " #waiting:" << gstat.numWaiting
<< " D:" << gstat.downloadSpeed/1024 << "KiB/s" << " D:" << gstat.downloadSpeed / 1024 << "KiB/s"
<< " U:"<< gstat.uploadSpeed/1024 << "KiB/s " << std::endl; << " U:" << gstat.uploadSpeed / 1024 << "KiB/s " << std::endl;
std::vector<aria2::A2Gid> gids = aria2::getActiveDownload(session); std::vector<aria2::A2Gid> gids = aria2::getActiveDownload(session);
for(const auto& gid : gids) { for (const auto& gid : gids) {
aria2::DownloadHandle* dh = aria2::getDownloadHandle(session, gid); aria2::DownloadHandle* dh = aria2::getDownloadHandle(session, gid);
if(dh) { if (dh) {
std::cerr << " [" << aria2::gidToHex(gid) << "] " std::cerr << " [" << aria2::gidToHex(gid) << "] "
<< dh->getCompletedLength() << "/" << dh->getCompletedLength() << "/" << dh->getTotalLength()
<< dh->getTotalLength() << "(" << "(" << (dh->getTotalLength() > 0
<< (dh->getTotalLength() > 0 ? ? (100 * dh->getCompletedLength() /
(100*dh->getCompletedLength()/dh->getTotalLength()) dh->getTotalLength())
: 0) << "%)" : 0) << "%)"
<< " D:" << " D:" << dh->getDownloadSpeed() / 1024
<< dh->getDownloadSpeed()/1024 << "KiB/s, U:" << "KiB/s, U:" << dh->getUploadSpeed() / 1024 << "KiB/s"
<< dh->getUploadSpeed()/1024 << "KiB/s"
<< std::endl; << std::endl;
aria2::deleteDownloadHandle(dh); aria2::deleteDownloadHandle(dh);
} }

View file

@ -38,7 +38,8 @@
// the main window. // the main window.
// //
// Compile and link like this: // Compile and link like this:
// $ g++ -O2 -Wall -g -std=c++11 `wx-config --cflags` -o libaria2wx libaria2wx.cc `wx-config --libs` -laria2 -pthread // $ g++ -O2 -Wall -g -std=c++11 `wx-config --cflags` -o libaria2wx
// libaria2wx.cc `wx-config --libs` -laria2 -pthread
#include <iostream> #include <iostream>
#include <chrono> #include <chrono>
#include <thread> #include <thread>
@ -51,7 +52,7 @@
// Interface to send message to downloader thread from UI thread // Interface to send message to downloader thread from UI thread
struct Job { struct Job {
virtual ~Job() {}; virtual ~Job(){};
virtual void execute(aria2::Session* session) = 0; virtual void execute(aria2::Session* session) = 0;
}; };
@ -59,15 +60,14 @@ class MainFrame;
// Interface to report back to UI thread from downloader thread // Interface to report back to UI thread from downloader thread
struct Notification { struct Notification {
virtual ~Notification() {}; virtual ~Notification(){};
virtual void notify(MainFrame* frame) = 0; virtual void notify(MainFrame* frame) = 0;
}; };
// std::queue<T> wrapper synchronized by mutex. In this example // std::queue<T> wrapper synchronized by mutex. In this example
// program, only one thread consumes from the queue, so separating // program, only one thread consumes from the queue, so separating
// empty() and pop() is not a problem. // empty() and pop() is not a problem.
template<typename T> template <typename T> class SynchronizedQueue {
class SynchronizedQueue {
public: public:
SynchronizedQueue() {} SynchronizedQueue() {}
~SynchronizedQueue() {} ~SynchronizedQueue() {}
@ -88,8 +88,9 @@ public:
std::lock_guard<std::mutex> l(m_); std::lock_guard<std::mutex> l(m_);
return q_.empty(); return q_.empty();
} }
private: private:
std::queue<std::unique_ptr<T> > q_; std::queue<std::unique_ptr<T>> q_;
std::mutex m_; std::mutex m_;
}; };
@ -110,7 +111,8 @@ struct ShutdownJob : public Job {
struct AddUriJob : public Job { struct AddUriJob : public Job {
AddUriJob(std::vector<std::string>&& uris, aria2::KeyVals&& options) AddUriJob(std::vector<std::string>&& uris, aria2::KeyVals&& options)
: uris(uris), options(options) : uris(uris), options(options)
{} {
}
virtual void execute(aria2::Session* session) virtual void execute(aria2::Session* session)
{ {
// TODO check return value // TODO check return value
@ -148,6 +150,7 @@ public:
void OnTimer(wxTimerEvent& event); void OnTimer(wxTimerEvent& event);
void OnAddUri(wxCommandEvent& event); void OnAddUri(wxCommandEvent& event);
void UpdateActiveStatus(const std::vector<DownloadStatus>& v); void UpdateActiveStatus(const std::vector<DownloadStatus>& v);
private: private:
wxTextCtrl* text_; wxTextCtrl* text_;
wxTimer timer_; wxTimer timer_;
@ -157,13 +160,9 @@ private:
DECLARE_EVENT_TABLE() DECLARE_EVENT_TABLE()
}; };
enum { enum { TIMER_ID = 1 };
TIMER_ID = 1
};
enum { enum { MI_ADD_URI = 1 };
MI_ADD_URI = 1
};
BEGIN_EVENT_TABLE(MainFrame, wxFrame) BEGIN_EVENT_TABLE(MainFrame, wxFrame)
EVT_CLOSE(MainFrame::OnCloseWindow) EVT_CLOSE(MainFrame::OnCloseWindow)
@ -177,6 +176,7 @@ public:
void OnButton(wxCommandEvent& event); void OnButton(wxCommandEvent& event);
wxString GetUri(); wxString GetUri();
wxString GetOption(); wxString GetOption();
private: private:
wxTextCtrl* uriText_; wxTextCtrl* uriText_;
wxTextCtrl* optionText_; wxTextCtrl* optionText_;
@ -193,7 +193,8 @@ IMPLEMENT_APP(Aria2App)
bool Aria2App::OnInit() bool Aria2App::OnInit()
{ {
if(!wxApp::OnInit()) return false; if (!wxApp::OnInit())
return false;
aria2::libraryInit(); aria2::libraryInit();
MainFrame* frame = new MainFrame(wxT("libaria2 GUI example")); MainFrame* frame = new MainFrame(wxT("libaria2 GUI example"));
frame->Show(true); frame->Show(true);
@ -207,14 +208,12 @@ int Aria2App::OnExit()
} }
MainFrame::MainFrame(const wxString& title) MainFrame::MainFrame(const wxString& title)
: wxFrame(nullptr, wxID_ANY, title, wxDefaultPosition, : wxFrame(nullptr, wxID_ANY, title, wxDefaultPosition, wxSize(640, 400)),
wxSize(640, 400)),
timer_(this, TIMER_ID), timer_(this, TIMER_ID),
downloaderThread_(downloaderJob, std::ref(jobq_), std::ref(notifyq_)) downloaderThread_(downloaderJob, std::ref(jobq_), std::ref(notifyq_))
{ {
wxMenu* downloadMenu = new wxMenu; wxMenu* downloadMenu = new wxMenu;
downloadMenu->Append(MI_ADD_URI, wxT("&Add URI"), downloadMenu->Append(MI_ADD_URI, wxT("&Add URI"), wxT("Add URI to download"));
wxT("Add URI to download"));
wxMenuBar* menuBar = new wxMenuBar(); wxMenuBar* menuBar = new wxMenuBar();
menuBar->Append(downloadMenu, wxT("&Download")); menuBar->Append(downloadMenu, wxT("&Download"));
@ -237,35 +236,36 @@ void MainFrame::OnAddUri(wxCommandEvent& WXUNUSED(event))
{ {
AddUriDialog dlg(this); AddUriDialog dlg(this);
int ret = dlg.ShowModal(); int ret = dlg.ShowModal();
if(ret == 0) { if (ret == 0) {
if(dlg.GetUri().IsEmpty()) { if (dlg.GetUri().IsEmpty()) {
return; return;
} }
std::vector<std::string> uris = { std::string(dlg.GetUri().mb_str()) }; std::vector<std::string> uris = {std::string(dlg.GetUri().mb_str())};
std::string optstr(dlg.GetOption().mb_str()); std::string optstr(dlg.GetOption().mb_str());
aria2::KeyVals options; aria2::KeyVals options;
int keyfirst = 0; int keyfirst = 0;
for(int i = 0; i < (int)optstr.size(); ++i) { for (int i = 0; i < (int)optstr.size(); ++i) {
if(optstr[i] == '\n') { if (optstr[i] == '\n') {
keyfirst = i+1; keyfirst = i + 1;
} else if(optstr[i] == '=') { }
else if (optstr[i] == '=') {
int j; int j;
for(j = i+1; j < (int)optstr.size(); ++j) { for (j = i + 1; j < (int)optstr.size(); ++j) {
if(optstr[j] == '\n') { if (optstr[j] == '\n') {
break; break;
} }
} }
if(i - keyfirst > 0) { if (i - keyfirst > 0) {
options.push_back options.push_back(
(std::make_pair(optstr.substr(keyfirst, i - keyfirst), std::make_pair(optstr.substr(keyfirst, i - keyfirst),
optstr.substr(i + 1, j - i - 1))); optstr.substr(i + 1, j - i - 1)));
} }
keyfirst = j + 1; keyfirst = j + 1;
i = j; i = j;
} }
} }
jobq_.push(std::unique_ptr<Job>(new AddUriJob(std::move(uris), jobq_.push(std::unique_ptr<Job>(
std::move(options)))); new AddUriJob(std::move(uris), std::move(options))));
} }
} }
@ -281,49 +281,40 @@ void MainFrame::OnCloseWindow(wxCloseEvent& WXUNUSED(event))
void MainFrame::OnTimer(wxTimerEvent& event) void MainFrame::OnTimer(wxTimerEvent& event)
{ {
while(!notifyq_.empty()) { while (!notifyq_.empty()) {
std::unique_ptr<Notification> nt = notifyq_.pop(); std::unique_ptr<Notification> nt = notifyq_.pop();
nt->notify(this); nt->notify(this);
} }
} }
template<typename T> template <typename T> std::string abbrevsize(T size)
std::string abbrevsize(T size)
{ {
if(size >= 1024*1024*1024) { if (size >= 1024 * 1024 * 1024) {
return std::to_string(size/1024/1024/1024)+"G"; return std::to_string(size / 1024 / 1024 / 1024) + "G";
} else if(size >= 1024*1024) { }
return std::to_string(size/1024/1024)+"M"; else if (size >= 1024 * 1024) {
} else if(size >= 1024) { return std::to_string(size / 1024 / 1024) + "M";
return std::to_string(size/1024)+"K"; }
} else { else if (size >= 1024) {
return std::to_string(size / 1024) + "K";
}
else {
return std::to_string(size); return std::to_string(size);
} }
} }
wxString towxs(const std::string& s) wxString towxs(const std::string& s) { return wxString(s.c_str(), wxConvUTF8); }
{
return wxString(s.c_str(), wxConvUTF8);
}
void MainFrame::UpdateActiveStatus(const std::vector<DownloadStatus>& v) void MainFrame::UpdateActiveStatus(const std::vector<DownloadStatus>& v)
{ {
text_->Clear(); text_->Clear();
for(auto& a : v) { for (auto& a : v) {
*text_ << wxT("[") *text_ << wxT("[") << towxs(aria2::gidToHex(a.gid)) << wxT("] ")
<< towxs(aria2::gidToHex(a.gid)) << towxs(abbrevsize(a.completedLength)) << wxT("/")
<< wxT("] ") << towxs(abbrevsize(a.totalLength)) << wxT("(")
<< towxs(abbrevsize(a.completedLength)) << (a.totalLength != 0 ? a.completedLength * 100 / a.totalLength : 0)
<< wxT("/") << wxT("%)") << wxT(" D:") << towxs(abbrevsize(a.downloadSpeed))
<< towxs(abbrevsize(a.totalLength)) << wxT(" U:") << towxs(abbrevsize(a.uploadSpeed)) << wxT("\n")
<< wxT("(")
<< (a.totalLength != 0 ? a.completedLength*100/a.totalLength : 0)
<< wxT("%)")
<< wxT(" D:")
<< towxs(abbrevsize(a.downloadSpeed))
<< wxT(" U:")
<< towxs(abbrevsize(a.uploadSpeed))
<< wxT("\n")
<< wxT("File:") << towxs(a.filename) << wxT("\n"); << wxT("File:") << towxs(a.filename) << wxT("\n");
} }
} }
@ -339,9 +330,8 @@ AddUriDialog::AddUriDialog(wxWindow* parent)
uriText_ = new wxTextCtrl(panel, wxID_ANY); uriText_ = new wxTextCtrl(panel, wxID_ANY);
box->Add(uriText_, wxSizerFlags().Align(wxGROW)); box->Add(uriText_, wxSizerFlags().Align(wxGROW));
// Option multi text input // Option multi text input
box->Add(new wxStaticText box->Add(new wxStaticText(
(panel, wxID_ANY, panel, wxID_ANY, wxT("Options (key=value pair per line, e.g. dir=/tmp")));
wxT("Options (key=value pair per line, e.g. dir=/tmp")));
optionText_ = new wxTextCtrl(panel, wxID_ANY, wxT(""), wxDefaultPosition, optionText_ = new wxTextCtrl(panel, wxID_ANY, wxT(""), wxDefaultPosition,
wxDefaultSize, wxTE_MULTILINE); wxDefaultSize, wxTE_MULTILINE);
box->Add(optionText_, wxSizerFlags().Align(wxGROW)); box->Add(optionText_, wxSizerFlags().Align(wxGROW));
@ -363,38 +353,25 @@ AddUriDialog::AddUriDialog(wxWindow* parent)
void AddUriDialog::OnButton(wxCommandEvent& event) void AddUriDialog::OnButton(wxCommandEvent& event)
{ {
int ret = -1; int ret = -1;
if(event.GetEventObject() == okBtn_) { if (event.GetEventObject() == okBtn_) {
ret = 0; ret = 0;
} }
EndModal(ret); EndModal(ret);
} }
wxString AddUriDialog::GetUri() wxString AddUriDialog::GetUri() { return uriText_->GetValue(); }
{
return uriText_->GetValue();
}
wxString AddUriDialog::GetOption() wxString AddUriDialog::GetOption() { return optionText_->GetValue(); }
{
return optionText_->GetValue();
}
struct DownloadStatusNotification : public Notification { struct DownloadStatusNotification : public Notification {
DownloadStatusNotification(std::vector<DownloadStatus>&& v) DownloadStatusNotification(std::vector<DownloadStatus>&& v) : v(v) {}
: v(v) {} virtual void notify(MainFrame* frame) { frame->UpdateActiveStatus(v); }
virtual void notify(MainFrame* frame)
{
frame->UpdateActiveStatus(v);
}
std::vector<DownloadStatus> v; std::vector<DownloadStatus> v;
}; };
struct ShutdownNotification : public Notification { struct ShutdownNotification : public Notification {
ShutdownNotification() {} ShutdownNotification() {}
virtual void notify(MainFrame* frame) virtual void notify(MainFrame* frame) { frame->Close(); }
{
frame->Close();
}
}; };
int downloaderJob(JobQueue& jobq, NotifyQueue& notifyq) int downloaderJob(JobQueue& jobq, NotifyQueue& notifyq)
@ -406,32 +383,32 @@ int downloaderJob(JobQueue& jobq, NotifyQueue& notifyq)
config.keepRunning = true; config.keepRunning = true;
session = aria2::sessionNew(aria2::KeyVals(), config); session = aria2::sessionNew(aria2::KeyVals(), config);
auto start = std::chrono::steady_clock::now(); auto start = std::chrono::steady_clock::now();
for(;;) { for (;;) {
int rv = aria2::run(session, aria2::RUN_ONCE); int rv = aria2::run(session, aria2::RUN_ONCE);
if(rv != 1) { if (rv != 1) {
break; break;
} }
auto now = std::chrono::steady_clock::now(); auto now = std::chrono::steady_clock::now();
auto count = std::chrono::duration_cast<std::chrono::milliseconds> auto count = std::chrono::duration_cast<std::chrono::milliseconds>(
(now - start).count(); now - start).count();
while(!jobq.empty()) { while (!jobq.empty()) {
std::unique_ptr<Job> job = jobq.pop(); std::unique_ptr<Job> job = jobq.pop();
job->execute(session); job->execute(session);
} }
if(count >= 900) { if (count >= 900) {
start = now; start = now;
std::vector<aria2::A2Gid> gids = aria2::getActiveDownload(session); std::vector<aria2::A2Gid> gids = aria2::getActiveDownload(session);
std::vector<DownloadStatus> v; std::vector<DownloadStatus> v;
for(auto gid : gids) { for (auto gid : gids) {
aria2::DownloadHandle* dh = aria2::getDownloadHandle(session, gid); aria2::DownloadHandle* dh = aria2::getDownloadHandle(session, gid);
if(dh) { if (dh) {
DownloadStatus st; DownloadStatus st;
st.gid = gid; st.gid = gid;
st.totalLength = dh->getTotalLength(); st.totalLength = dh->getTotalLength();
st.completedLength = dh->getCompletedLength(); st.completedLength = dh->getCompletedLength();
st.downloadSpeed = dh->getDownloadSpeed(); st.downloadSpeed = dh->getDownloadSpeed();
st.uploadSpeed = dh->getUploadSpeed(); st.uploadSpeed = dh->getUploadSpeed();
if(dh->getNumFiles() > 0) { if (dh->getNumFiles() > 0) {
aria2::FileData file = dh->getFile(1); aria2::FileData file = dh->getFile(1);
st.filename = file.path; st.filename = file.path;
} }
@ -439,8 +416,8 @@ int downloaderJob(JobQueue& jobq, NotifyQueue& notifyq)
aria2::deleteDownloadHandle(dh); aria2::deleteDownloadHandle(dh);
} }
} }
notifyq.push(std::unique_ptr<Notification> notifyq.push(std::unique_ptr<Notification>(
(new DownloadStatusNotification(std::move(v)))); new DownloadStatusNotification(std::move(v))));
} }
} }
int rv = aria2::sessionFinal(session); int rv = aria2::sessionFinal(session);
@ -449,4 +426,3 @@ int downloaderJob(JobQueue& jobq, NotifyQueue& notifyq)
notifyq.push(std::unique_ptr<Notification>(new ShutdownNotification())); notifyq.push(std::unique_ptr<Notification>(new ShutdownNotification()));
return rv; return rv;
} }

View file

@ -38,13 +38,13 @@
#include "common.h" #include "common.h"
#ifdef USE_INTERNAL_ARC4 #ifdef USE_INTERNAL_ARC4
# include "InternalARC4Encryptor.h" #include "InternalARC4Encryptor.h"
#elif HAVE_LIBNETTLE #elif HAVE_LIBNETTLE
# include "LibnettleARC4Encryptor.h" #include "LibnettleARC4Encryptor.h"
#elif HAVE_LIBGCRYPT #elif HAVE_LIBGCRYPT
# include "LibgcryptARC4Encryptor.h" #include "LibgcryptARC4Encryptor.h"
#elif HAVE_OPENSSL #elif HAVE_OPENSSL
# include "LibsslARC4Encryptor.h" #include "LibsslARC4Encryptor.h"
#endif #endif
#endif // D_ARC4_ENCRYPTOR_H #endif // D_ARC4_ENCRYPTOR_H

View file

@ -42,8 +42,8 @@ AbstractAuthResolver::AbstractAuthResolver() {}
AbstractAuthResolver::~AbstractAuthResolver() {} AbstractAuthResolver::~AbstractAuthResolver() {}
void AbstractAuthResolver::setUserDefinedCred void AbstractAuthResolver::setUserDefinedCred(std::string user,
(std::string user, std::string password) std::string password)
{ {
userDefinedUser_ = std::move(user); userDefinedUser_ = std::move(user);
userDefinedPassword_ = std::move(password); userDefinedPassword_ = std::move(password);
@ -55,8 +55,8 @@ AbstractAuthResolver::getUserDefinedAuthConfig() const
return AuthConfig::create(userDefinedUser_, userDefinedPassword_); return AuthConfig::create(userDefinedUser_, userDefinedPassword_);
} }
void AbstractAuthResolver::setDefaultCred void AbstractAuthResolver::setDefaultCred(std::string user,
(std::string user, std::string password) std::string password)
{ {
defaultUser_ = std::move(user); defaultUser_ = std::move(user);
defaultPassword_ = std::move(password); defaultPassword_ = std::move(password);

View file

@ -52,6 +52,7 @@ public:
void setDefaultCred(std::string user, std::string password); void setDefaultCred(std::string user, std::string password);
std::unique_ptr<AuthConfig> getDefaultAuthConfig() const; std::unique_ptr<AuthConfig> getDefaultAuthConfig() const;
private: private:
std::string userDefinedUser_; std::string userDefinedUser_;
std::string userDefinedPassword_; std::string userDefinedPassword_;

View file

@ -51,7 +51,8 @@ AbstractBtMessage::AbstractBtMessage(uint8_t id, const char* name)
requestFactory_(nullptr), requestFactory_(nullptr),
peerConnection_(nullptr), peerConnection_(nullptr),
metadataGetMode_(false) metadataGetMode_(false)
{} {
}
AbstractBtMessage::~AbstractBtMessage() {} AbstractBtMessage::~AbstractBtMessage() {}
@ -62,14 +63,13 @@ void AbstractBtMessage::setPeer(const std::shared_ptr<Peer>& peer)
void AbstractBtMessage::validate() void AbstractBtMessage::validate()
{ {
if(validator_) { if (validator_) {
validator_->validate(); validator_->validate();
} }
} }
void void AbstractBtMessage::setBtMessageValidator(
AbstractBtMessage::setBtMessageValidator std::unique_ptr<BtMessageValidator> validator)
(std::unique_ptr<BtMessageValidator> validator)
{ {
validator_ = std::move(validator); validator_ = std::move(validator);
} }

View file

@ -71,69 +71,38 @@ private:
std::unique_ptr<BtMessageValidator> validator_; std::unique_ptr<BtMessageValidator> validator_;
bool metadataGetMode_; bool metadataGetMode_;
protected: protected:
PieceStorage* getPieceStorage() const PieceStorage* getPieceStorage() const { return pieceStorage_; }
{
return pieceStorage_;
}
PeerConnection* getPeerConnection() const PeerConnection* getPeerConnection() const { return peerConnection_; }
{
return peerConnection_;
}
BtMessageDispatcher* getBtMessageDispatcher() const BtMessageDispatcher* getBtMessageDispatcher() const { return dispatcher_; }
{
return dispatcher_;
}
BtRequestFactory* getBtRequestFactory() const BtRequestFactory* getBtRequestFactory() const { return requestFactory_; }
{
return requestFactory_;
}
BtMessageFactory* getBtMessageFactory() const BtMessageFactory* getBtMessageFactory() const { return messageFactory_; }
{
return messageFactory_; bool isMetadataGetMode() const { return metadataGetMode_; }
}
bool isMetadataGetMode() const
{
return metadataGetMode_;
}
public: public:
AbstractBtMessage(uint8_t id, const char* name); AbstractBtMessage(uint8_t id, const char* name);
virtual ~AbstractBtMessage(); virtual ~AbstractBtMessage();
virtual bool isInvalidate() CXX11_OVERRIDE { virtual bool isInvalidate() CXX11_OVERRIDE { return invalidate_; }
return invalidate_;
}
void setInvalidate(bool invalidate) { void setInvalidate(bool invalidate) { invalidate_ = invalidate; }
invalidate_ = invalidate;
}
virtual bool isUploading() CXX11_OVERRIDE { virtual bool isUploading() CXX11_OVERRIDE { return uploading_; }
return uploading_;
}
void setUploading(bool uploading) { void setUploading(bool uploading) { uploading_ = uploading; }
uploading_ = uploading;
}
cuid_t getCuid() const { cuid_t getCuid() const { return cuid_; }
return cuid_;
}
void setCuid(cuid_t cuid) { void setCuid(cuid_t cuid) { cuid_ = cuid; }
cuid_ = cuid;
}
const std::shared_ptr<Peer>& getPeer() const const std::shared_ptr<Peer>& getPeer() const { return peer_; }
{
return peer_;
}
void setPeer(const std::shared_ptr<Peer>& peer); void setPeer(const std::shared_ptr<Peer>& peer);
@ -143,11 +112,15 @@ public:
virtual void onQueued() CXX11_OVERRIDE {} virtual void onQueued() CXX11_OVERRIDE {}
virtual void onAbortOutstandingRequestEvent virtual void onAbortOutstandingRequestEvent(
(const BtAbortOutstandingRequestEvent& event) CXX11_OVERRIDE {} const BtAbortOutstandingRequestEvent& event) CXX11_OVERRIDE
{
}
virtual void onCancelSendingPieceEvent virtual void onCancelSendingPieceEvent(const BtCancelSendingPieceEvent& event)
(const BtCancelSendingPieceEvent& event) CXX11_OVERRIDE {} CXX11_OVERRIDE
{
}
virtual void onChokingEvent(const BtChokingEvent& event) CXX11_OVERRIDE {} virtual void onChokingEvent(const BtChokingEvent& event) CXX11_OVERRIDE {}
@ -163,15 +136,9 @@ public:
void setBtRequestFactory(BtRequestFactory* factory); void setBtRequestFactory(BtRequestFactory* factory);
const char* getName() const const char* getName() const { return name_; }
{
return name_;
}
void enableMetadataGetMode() void enableMetadataGetMode() { metadataGetMode_ = true; }
{
metadataGetMode_ = true;
}
}; };
} // namespace aria2 } // namespace aria2

View file

@ -74,13 +74,10 @@
namespace aria2 { namespace aria2 {
AbstractCommand::AbstractCommand AbstractCommand::AbstractCommand(
(cuid_t cuid, cuid_t cuid, const std::shared_ptr<Request>& req,
const std::shared_ptr<Request>& req, const std::shared_ptr<FileEntry>& fileEntry, RequestGroup* requestGroup,
const std::shared_ptr<FileEntry>& fileEntry, DownloadEngine* e, const std::shared_ptr<SocketCore>& s,
RequestGroup* requestGroup,
DownloadEngine* e,
const std::shared_ptr<SocketCore>& s,
const std::shared_ptr<SocketRecvBuffer>& socketRecvBuffer, const std::shared_ptr<SocketRecvBuffer>& socketRecvBuffer,
bool incNumConnection) bool incNumConnection)
: Command(cuid), : Command(cuid),
@ -127,19 +124,18 @@ AbstractCommand::~AbstractCommand()
} }
} }
void void AbstractCommand::useFasterRequest(
AbstractCommand::useFasterRequest(const std::shared_ptr<Request>& fasterRequest) const std::shared_ptr<Request>& fasterRequest)
{ {
A2_LOG_INFO(fmt("CUID#%" PRId64 " - Use faster Request hostname=%s, port=%u", A2_LOG_INFO(fmt("CUID#%" PRId64 " - Use faster Request hostname=%s, port=%u",
getCuid(), getCuid(), fasterRequest->getHost().c_str(),
fasterRequest->getHost().c_str(),
fasterRequest->getPort())); fasterRequest->getPort()));
// Cancel current Request object and use faster one. // Cancel current Request object and use faster one.
fileEntry_->removeRequest(req_); fileEntry_->removeRequest(req_);
e_->setNoWait(true); e_->setNoWait(true);
e_->addCommand e_->addCommand(
(InitiateConnectionCommandFactory::createInitiateConnectionCommand InitiateConnectionCommandFactory::createInitiateConnectionCommand(
(getCuid(), fasterRequest, fileEntry_, requestGroup_, e_)); getCuid(), fasterRequest, fileEntry_, requestGroup_, e_));
} }
bool AbstractCommand::shouldProcess() const bool AbstractCommand::shouldProcess() const
@ -180,11 +176,8 @@ bool AbstractCommand::execute()
{ {
A2_LOG_DEBUG(fmt("CUID#%" PRId64 A2_LOG_DEBUG(fmt("CUID#%" PRId64
" - socket: read:%d, write:%d, hup:%d, err:%d", " - socket: read:%d, write:%d, hup:%d, err:%d",
getCuid(), getCuid(), readEventEnabled(), writeEventEnabled(),
readEventEnabled(), hupEventEnabled(), errorEventEnabled()));
writeEventEnabled(),
hupEventEnabled(),
errorEventEnabled()));
try { try {
if (requestGroup_->downloadFinished() || requestGroup_->isHaltRequested()) { if (requestGroup_->downloadFinished() || requestGroup_->isHaltRequested()) {
return true; return true;
@ -194,8 +187,7 @@ bool AbstractCommand::execute()
A2_LOG_DEBUG(fmt("CUID#%" PRId64 A2_LOG_DEBUG(fmt("CUID#%" PRId64
" - Discard original URI=%s because it is" " - Discard original URI=%s because it is"
" requested.", " requested.",
getCuid(), getCuid(), req_->getUri().c_str()));
req_->getUri().c_str()));
return prepareForRetry(0); return prepareForRetry(0);
} }
@ -243,8 +235,8 @@ bool AbstractCommand::execute()
if (getOption()->getAsBool(PREF_SELECT_LEAST_USED_HOST)) { if (getOption()->getAsBool(PREF_SELECT_LEAST_USED_HOST)) {
getDownloadEngine()->getRequestGroupMan()->getUsedHosts(usedHosts); getDownloadEngine()->getRequestGroupMan()->getUsedHosts(usedHosts);
} }
auto fasterRequest = fileEntry_->findFasterRequest auto fasterRequest = fileEntry_->findFasterRequest(
(req_, usedHosts, e_->getRequestGroupMan()->getServerStatMan()); req_, usedHosts, e_->getRequestGroupMan()->getServerStatMan());
if (fasterRequest) { if (fasterRequest) {
useFasterRequest(fasterRequest); useFasterRequest(fasterRequest);
return true; return true;
@ -296,8 +288,8 @@ bool AbstractCommand::execute()
size_t minSplitSize = calculateMinSplitSize(); size_t minSplitSize = calculateMinSplitSize();
size_t maxSegments = req_->getMaxPipelinedRequest(); size_t maxSegments = req_->getMaxPipelinedRequest();
if (segments_.size() < maxSegments) { if (segments_.size() < maxSegments) {
sm->getSegment sm->getSegment(segments_, getCuid(), minSplitSize, fileEntry_,
(segments_, getCuid(), minSplitSize, fileEntry_, maxSegments); maxSegments);
} }
if (segments_.empty()) { if (segments_.empty()) {
return prepareForRetry(0); return prepareForRetry(0);
@ -308,22 +300,21 @@ bool AbstractCommand::execute()
} }
if (errorEventEnabled()) { if (errorEventEnabled()) {
throw DL_RETRY_EX throw DL_RETRY_EX(
(fmt(MSG_NETWORK_PROBLEM, socket_->getSocketError().c_str())); fmt(MSG_NETWORK_PROBLEM, socket_->getSocketError().c_str()));
} }
if (checkPoint_.difference(global::wallclock()) >= timeout_) { if (checkPoint_.difference(global::wallclock()) >= timeout_) {
// timeout triggers ServerStat error state. // timeout triggers ServerStat error state.
auto ss = e_->getRequestGroupMan()->getOrCreateServerStat auto ss = e_->getRequestGroupMan()->getOrCreateServerStat(
(req_->getHost(), req_->getProtocol()); req_->getHost(), req_->getProtocol());
ss->setError(); ss->setError();
// When DNS query was timeout, req_->getConnectedAddr() is // When DNS query was timeout, req_->getConnectedAddr() is
// empty. // empty.
if (!req_->getConnectedAddr().empty()) { if (!req_->getConnectedAddr().empty()) {
// Purging IP address cache to renew IP address. // Purging IP address cache to renew IP address.
A2_LOG_DEBUG(fmt("CUID#%" PRId64 " - Marking IP address %s as bad", A2_LOG_DEBUG(fmt("CUID#%" PRId64 " - Marking IP address %s as bad",
getCuid(), getCuid(), req_->getConnectedAddr().c_str()));
req_->getConnectedAddr().c_str()));
e_->markBadIPAddress(req_->getConnectedHostname(), e_->markBadIPAddress(req_->getConnectedHostname(),
req_->getConnectedAddr(), req_->getConnectedAddr(),
req_->getConnectedPort()); req_->getConnectedPort());
@ -345,8 +336,8 @@ bool AbstractCommand::execute()
catch (DlAbortEx& err) { catch (DlAbortEx& err) {
requestGroup_->setLastErrorCode(err.getErrorCode(), err.what()); requestGroup_->setLastErrorCode(err.getErrorCode(), err.what());
if (req_) { if (req_) {
A2_LOG_ERROR_EX A2_LOG_ERROR_EX(
(fmt(MSG_DOWNLOAD_ABORTED, getCuid(), req_->getUri().c_str()), fmt(MSG_DOWNLOAD_ABORTED, getCuid(), req_->getUri().c_str()),
DL_ABORT_EX2(fmt("URI=%s", req_->getCurrentUri().c_str()), err)); DL_ABORT_EX2(fmt("URI=%s", req_->getCurrentUri().c_str()), err));
fileEntry_->addURIResult(req_->getUri(), err.getErrorCode()); fileEntry_->addURIResult(req_->getUri(), err.getErrorCode());
if (err.getErrorCode() == error_code::CANNOT_RESUME) { if (err.getErrorCode() == error_code::CANNOT_RESUME) {
@ -362,8 +353,8 @@ bool AbstractCommand::execute()
} }
catch (DlRetryEx& err) { catch (DlRetryEx& err) {
assert(req_); assert(req_);
A2_LOG_INFO_EX A2_LOG_INFO_EX(
(fmt(MSG_RESTARTING_DOWNLOAD, getCuid(), req_->getUri().c_str()), fmt(MSG_RESTARTING_DOWNLOAD, getCuid(), req_->getUri().c_str()),
DL_RETRY_EX2(fmt("URI=%s", req_->getCurrentUri().c_str()), err)); DL_RETRY_EX2(fmt("URI=%s", req_->getCurrentUri().c_str()), err));
req_->addTryCount(); req_->addTryCount();
req_->resetRedirectCount(); req_->resetRedirectCount();
@ -373,8 +364,8 @@ bool AbstractCommand::execute()
bool isAbort = maxTries != 0 && req_->getTryCount() >= maxTries; bool isAbort = maxTries != 0 && req_->getTryCount() >= maxTries;
if (isAbort) { if (isAbort) {
A2_LOG_INFO(fmt(MSG_MAX_TRY, getCuid(), req_->getTryCount())); A2_LOG_INFO(fmt(MSG_MAX_TRY, getCuid(), req_->getTryCount()));
A2_LOG_ERROR_EX A2_LOG_ERROR_EX(
(fmt(MSG_DOWNLOAD_ABORTED, getCuid(), req_->getUri().c_str()), err); fmt(MSG_DOWNLOAD_ABORTED, getCuid(), req_->getUri().c_str()), err);
fileEntry_->addURIResult(req_->getUri(), err.getErrorCode()); fileEntry_->addURIResult(req_->getUri(), err.getErrorCode());
requestGroup_->setLastErrorCode(err.getErrorCode(), err.what()); requestGroup_->setLastErrorCode(err.getErrorCode(), err.what());
if (err.getErrorCode() == error_code::CANNOT_RESUME) { if (err.getErrorCode() == error_code::CANNOT_RESUME) {
@ -394,11 +385,12 @@ bool AbstractCommand::execute()
catch (DownloadFailureException& err) { catch (DownloadFailureException& err) {
requestGroup_->setLastErrorCode(err.getErrorCode(), err.what()); requestGroup_->setLastErrorCode(err.getErrorCode(), err.what());
if (req_) { if (req_) {
A2_LOG_ERROR_EX A2_LOG_ERROR_EX(
(fmt(MSG_DOWNLOAD_ABORTED, getCuid(), req_->getUri().c_str()), fmt(MSG_DOWNLOAD_ABORTED, getCuid(), req_->getUri().c_str()),
DL_ABORT_EX2(fmt("URI=%s", req_->getCurrentUri().c_str()), err)); DL_ABORT_EX2(fmt("URI=%s", req_->getCurrentUri().c_str()), err));
fileEntry_->addURIResult(req_->getUri(), err.getErrorCode()); fileEntry_->addURIResult(req_->getUri(), err.getErrorCode());
} else { }
else {
A2_LOG_ERROR_EX(EX_EXCEPTION_CAUGHT, err); A2_LOG_ERROR_EX(EX_EXCEPTION_CAUGHT, err);
} }
requestGroup_->setHaltRequested(true); requestGroup_->setHaltRequested(true);
@ -422,8 +414,8 @@ void AbstractCommand::tryReserved()
return; return;
} }
} }
A2_LOG_DEBUG A2_LOG_DEBUG(
(fmt("CUID#%" PRId64 " - Trying reserved/pooled request.", getCuid())); fmt("CUID#%" PRId64 " - Trying reserved/pooled request.", getCuid()));
std::vector<std::unique_ptr<Command>> commands; std::vector<std::unique_ptr<Command>> commands;
requestGroup_->createNextCommand(commands, e_, 1); requestGroup_->createNextCommand(commands, e_, 1);
e_->setNoWait(true); e_->setNoWait(true);
@ -443,8 +435,7 @@ bool AbstractCommand::prepareForRetry(time_t wait)
req_->setMaxPipelinedRequest(1); req_->setMaxPipelinedRequest(1);
fileEntry_->poolRequest(req_); fileEntry_->poolRequest(req_);
A2_LOG_DEBUG(fmt("CUID#%" PRId64 " - Pooling request URI=%s", A2_LOG_DEBUG(fmt("CUID#%" PRId64 " - Pooling request URI=%s", getCuid(),
getCuid(),
req_->getUri().c_str())); req_->getUri().c_str()));
if (getSegmentMan()) { if (getSegmentMan()) {
getSegmentMan()->recognizeSegmentFor(fileEntry_); getSegmentMan()->recognizeSegmentFor(fileEntry_);
@ -518,8 +509,7 @@ void AbstractCommand::onAbort()
uris.reserve(res.size()); uris.reserve(res.size());
std::transform(std::begin(res), std::end(res), std::back_inserter(uris), std::transform(std::begin(res), std::end(res), std::back_inserter(uris),
std::mem_fn(&URIResult::getURI)); std::mem_fn(&URIResult::getURI));
A2_LOG_DEBUG(fmt("CUID#%" PRId64 " - %lu URIs found.", A2_LOG_DEBUG(fmt("CUID#%" PRId64 " - %lu URIs found.", getCuid(),
getCuid(),
static_cast<unsigned long int>(uris.size()))); static_cast<unsigned long int>(uris.size())));
fileEntry_->addUris(std::begin(uris), std::end(uris)); fileEntry_->addUris(std::begin(uris), std::end(uris));
getSegmentMan()->recognizeSegmentFor(fileEntry_); getSegmentMan()->recognizeSegmentFor(fileEntry_);
@ -536,8 +526,8 @@ void AbstractCommand::disableReadCheckSocket()
readCheckTarget_.reset(); readCheckTarget_.reset();
} }
void void AbstractCommand::setReadCheckSocket(
AbstractCommand::setReadCheckSocket(const std::shared_ptr<SocketCore>& socket) const std::shared_ptr<SocketCore>& socket)
{ {
if (!socket->isOpen()) { if (!socket->isOpen()) {
disableReadCheckSocket(); disableReadCheckSocket();
@ -558,9 +548,8 @@ AbstractCommand::setReadCheckSocket(const std::shared_ptr<SocketCore>& socket)
readCheckTarget_ = socket; readCheckTarget_ = socket;
} }
void void AbstractCommand::setReadCheckSocketIf(
AbstractCommand::setReadCheckSocketIf(const std::shared_ptr<SocketCore>& socket, const std::shared_ptr<SocketCore>& socket, bool pred)
bool pred)
{ {
if (pred) { if (pred) {
setReadCheckSocket(socket); setReadCheckSocket(socket);
@ -580,8 +569,8 @@ void AbstractCommand::disableWriteCheckSocket()
writeCheckTarget_.reset(); writeCheckTarget_.reset();
} }
void void AbstractCommand::setWriteCheckSocket(
AbstractCommand::setWriteCheckSocket(const std::shared_ptr<SocketCore>& socket) const std::shared_ptr<SocketCore>& socket)
{ {
if (!socket->isOpen()) { if (!socket->isOpen()) {
disableWriteCheckSocket(); disableWriteCheckSocket();
@ -602,8 +591,8 @@ AbstractCommand::setWriteCheckSocket(const std::shared_ptr<SocketCore>& socket)
writeCheckTarget_ = socket; writeCheckTarget_ = socket;
} }
void AbstractCommand::setWriteCheckSocketIf void AbstractCommand::setWriteCheckSocketIf(
(const std::shared_ptr<SocketCore>& socket, bool pred) const std::shared_ptr<SocketCore>& socket, bool pred)
{ {
if (pred) { if (pred) {
setWriteCheckSocket(socket); setWriteCheckSocket(socket);
@ -623,10 +612,8 @@ void AbstractCommand::swapSocket(std::shared_ptr<SocketCore>& socket)
namespace { namespace {
// Constructs proxy URI, merging username and password if they are // Constructs proxy URI, merging username and password if they are
// defined. // defined.
std::string makeProxyUri(PrefPtr proxyPref, std::string makeProxyUri(PrefPtr proxyPref, PrefPtr proxyUser,
PrefPtr proxyUser, PrefPtr proxyPasswd, const Option* option)
PrefPtr proxyPasswd,
const Option* option)
{ {
uri::UriStruct us; uri::UriStruct us;
if (!uri::parse(us, option->get(proxyPref))) { if (!uri::parse(us, option->get(proxyPref))) {
@ -645,15 +632,13 @@ std::string makeProxyUri(PrefPtr proxyPref,
namespace { namespace {
// Returns proxy option value for the given protocol. // Returns proxy option value for the given protocol.
std::string getProxyOptionFor(PrefPtr proxyPref, std::string getProxyOptionFor(PrefPtr proxyPref, PrefPtr proxyUser,
PrefPtr proxyUser, PrefPtr proxyPasswd, const Option* option)
PrefPtr proxyPasswd,
const Option* option)
{ {
std::string uri = makeProxyUri(proxyPref, proxyUser, proxyPasswd, option); std::string uri = makeProxyUri(proxyPref, proxyUser, proxyPasswd, option);
if (uri.empty()) { if (uri.empty()) {
return makeProxyUri return makeProxyUri(PREF_ALL_PROXY, PREF_ALL_PROXY_USER,
(PREF_ALL_PROXY, PREF_ALL_PROXY_USER, PREF_ALL_PROXY_PASSWD, option); PREF_ALL_PROXY_PASSWD, option);
} }
return uri; return uri;
@ -665,20 +650,18 @@ std::string getProxyOptionFor(PrefPtr proxyPref,
std::string getProxyUri(const std::string& protocol, const Option* option) std::string getProxyUri(const std::string& protocol, const Option* option)
{ {
if (protocol == "http") { if (protocol == "http") {
return getProxyOptionFor return getProxyOptionFor(PREF_HTTP_PROXY, PREF_HTTP_PROXY_USER,
(PREF_HTTP_PROXY, PREF_HTTP_PROXY_USER, PREF_HTTP_PROXY_PASSWD, option); PREF_HTTP_PROXY_PASSWD, option);
} }
if (protocol == "https") { if (protocol == "https") {
return getProxyOptionFor(PREF_HTTPS_PROXY, return getProxyOptionFor(PREF_HTTPS_PROXY, PREF_HTTPS_PROXY_USER,
PREF_HTTPS_PROXY_USER, PREF_HTTPS_PROXY_PASSWD, option);
PREF_HTTPS_PROXY_PASSWD,
option);
} }
if (protocol == "ftp" || protocol == "sftp") { if (protocol == "ftp" || protocol == "sftp") {
return getProxyOptionFor return getProxyOptionFor(PREF_FTP_PROXY, PREF_FTP_PROXY_USER,
(PREF_FTP_PROXY, PREF_FTP_PROXY_USER, PREF_FTP_PROXY_PASSWD, option); PREF_FTP_PROXY_PASSWD, option);
} }
return A2STR::NIL; return A2STR::NIL;
@ -752,8 +735,8 @@ std::shared_ptr<Request> AbstractCommand::createProxyRequest() const
A2_LOG_DEBUG(fmt("CUID#%" PRId64 " - Using proxy", getCuid())); A2_LOG_DEBUG(fmt("CUID#%" PRId64 " - Using proxy", getCuid()));
} }
else { else {
A2_LOG_DEBUG A2_LOG_DEBUG(
(fmt("CUID#%" PRId64 " - Failed to parse proxy string", getCuid())); fmt("CUID#%" PRId64 " - Failed to parse proxy string", getCuid()));
proxyRequest.reset(); proxyRequest.reset();
} }
} }
@ -790,8 +773,7 @@ std::string AbstractCommand::resolveHostname(std::vector<std::string>& addrs,
->getOrCreateServerStat(req_->getHost(), req_->getProtocol()) ->getOrCreateServerStat(req_->getHost(), req_->getProtocol())
->setError(); ->setError();
} }
throw DL_ABORT_EX2(fmt(MSG_NAME_RESOLUTION_FAILED, throw DL_ABORT_EX2(fmt(MSG_NAME_RESOLUTION_FAILED, getCuid(),
getCuid(),
hostname.c_str(), hostname.c_str(),
asyncNameResolverMan_->getLastError().c_str()), asyncNameResolverMan_->getLastError().c_str()),
error_code::NAME_RESOLVE_ERROR); error_code::NAME_RESOLVE_ERROR);
@ -801,10 +783,8 @@ std::string AbstractCommand::resolveHostname(std::vector<std::string>& addrs,
case 1: case 1:
asyncNameResolverMan_->getResolvedAddress(addrs); asyncNameResolverMan_->getResolvedAddress(addrs);
if (addrs.empty()) { if (addrs.empty()) {
throw DL_ABORT_EX2(fmt(MSG_NAME_RESOLUTION_FAILED, throw DL_ABORT_EX2(fmt(MSG_NAME_RESOLUTION_FAILED, getCuid(),
getCuid(), hostname.c_str(), "No address returned"),
hostname.c_str(),
"No address returned"),
error_code::NAME_RESOLVE_ERROR); error_code::NAME_RESOLVE_ERROR);
} }
break; break;
@ -829,20 +809,19 @@ std::string AbstractCommand::resolveHostname(std::vector<std::string>& addrs,
return ipaddr; return ipaddr;
} }
void AbstractCommand::prepareForNextAction void AbstractCommand::prepareForNextAction(
(std::unique_ptr<CheckIntegrityEntry> checkEntry) std::unique_ptr<CheckIntegrityEntry> checkEntry)
{ {
std::vector<std::unique_ptr<Command>> commands; std::vector<std::unique_ptr<Command>> commands;
requestGroup_->processCheckIntegrityEntry requestGroup_->processCheckIntegrityEntry(commands, std::move(checkEntry),
(commands, std::move(checkEntry), e_); e_);
e_->addCommand(std::move(commands)); e_->addCommand(std::move(commands));
e_->setNoWait(true); e_->setNoWait(true);
} }
bool AbstractCommand::checkIfConnectionEstablished bool AbstractCommand::checkIfConnectionEstablished(
(const std::shared_ptr<SocketCore>& socket, const std::shared_ptr<SocketCore>& socket,
const std::string& connectedHostname, const std::string& connectedHostname, const std::string& connectedAddr,
const std::string& connectedAddr,
uint16_t connectedPort) uint16_t connectedPort)
{ {
std::string error = socket->getSocketError(); std::string error = socket->getSocketError();
@ -864,14 +843,12 @@ bool AbstractCommand::checkIfConnectionEstablished
throw DL_RETRY_EX(fmt(MSG_ESTABLISHING_CONNECTION_FAILED, error.c_str())); throw DL_RETRY_EX(fmt(MSG_ESTABLISHING_CONNECTION_FAILED, error.c_str()));
} }
A2_LOG_INFO(fmt(MSG_CONNECT_FAILED_AND_RETRY, A2_LOG_INFO(fmt(MSG_CONNECT_FAILED_AND_RETRY, getCuid(),
getCuid(), connectedAddr.c_str(), connectedPort));
connectedAddr.c_str(),
connectedPort));
e_->setNoWait(true); e_->setNoWait(true);
e_->addCommand e_->addCommand(
(InitiateConnectionCommandFactory::createInitiateConnectionCommand InitiateConnectionCommandFactory::createInitiateConnectionCommand(
(getCuid(), req_, fileEntry_, requestGroup_, e_)); getCuid(), req_, fileEntry_, requestGroup_, e_));
return false; return false;
} }
@ -909,10 +886,7 @@ void AbstractCommand::setRequest(const std::shared_ptr<Request>& request)
req_ = request; req_ = request;
} }
void AbstractCommand::resetRequest() void AbstractCommand::resetRequest() { req_.reset(); }
{
req_.reset();
}
void AbstractCommand::setFileEntry(const std::shared_ptr<FileEntry>& fileEntry) void AbstractCommand::setFileEntry(const std::shared_ptr<FileEntry>& fileEntry)
{ {

View file

@ -62,8 +62,7 @@ class AsyncNameResolver;
class AsyncNameResolverMan; class AsyncNameResolverMan;
#endif // ENABLE_ASYNC_DNS #endif // ENABLE_ASYNC_DNS
class AbstractCommand : public Command class AbstractCommand : public Command {
{
private: private:
std::shared_ptr<Request> req_; std::shared_ptr<Request> req_;
std::shared_ptr<FileEntry> fileEntry_; std::shared_ptr<FileEntry> fileEntry_;
@ -97,15 +96,9 @@ private:
bool shouldProcess() const; bool shouldProcess() const;
public: public:
RequestGroup* getRequestGroup() const RequestGroup* getRequestGroup() const { return requestGroup_; }
{
return requestGroup_;
}
const std::shared_ptr<Request>& getRequest() const const std::shared_ptr<Request>& getRequest() const { return req_; }
{
return req_;
}
void setRequest(const std::shared_ptr<Request>& request); void setRequest(const std::shared_ptr<Request>& request);
@ -113,27 +106,15 @@ public:
// setRequest(std::shared_ptr<Request>()); // setRequest(std::shared_ptr<Request>());
void resetRequest(); void resetRequest();
const std::shared_ptr<FileEntry>& getFileEntry() const const std::shared_ptr<FileEntry>& getFileEntry() const { return fileEntry_; }
{
return fileEntry_;
}
void setFileEntry(const std::shared_ptr<FileEntry>& fileEntry); void setFileEntry(const std::shared_ptr<FileEntry>& fileEntry);
DownloadEngine* getDownloadEngine() const DownloadEngine* getDownloadEngine() const { return e_; }
{
return e_;
}
const std::shared_ptr<SocketCore>& getSocket() const const std::shared_ptr<SocketCore>& getSocket() const { return socket_; }
{
return socket_;
}
std::shared_ptr<SocketCore>& getSocket() std::shared_ptr<SocketCore>& getSocket() { return socket_; }
{
return socket_;
}
void setSocket(const std::shared_ptr<SocketCore>& s); void setSocket(const std::shared_ptr<SocketCore>& s);
@ -155,8 +136,7 @@ public:
// arguments until resolved address is returned. Exception is // arguments until resolved address is returned. Exception is
// thrown on error. port is used for retrieving cached addresses. // thrown on error. port is used for retrieving cached addresses.
std::string resolveHostname(std::vector<std::string>& addrs, std::string resolveHostname(std::vector<std::string>& addrs,
const std::string& hostname, const std::string& hostname, uint16_t port);
uint16_t port);
void tryReserved(); void tryReserved();
@ -185,10 +165,7 @@ public:
// check. // check.
void swapSocket(std::shared_ptr<SocketCore>& socket); void swapSocket(std::shared_ptr<SocketCore>& socket);
std::chrono::seconds getTimeout() const std::chrono::seconds getTimeout() const { return timeout_; }
{
return timeout_;
}
void setTimeout(std::chrono::seconds timeout) void setTimeout(std::chrono::seconds timeout)
{ {
@ -229,10 +206,7 @@ public:
const std::shared_ptr<SegmentMan>& getSegmentMan() const; const std::shared_ptr<SegmentMan>& getSegmentMan() const;
const std::shared_ptr<PieceStorage>& getPieceStorage() const; const std::shared_ptr<PieceStorage>& getPieceStorage() const;
Timer& getCheckPoint() Timer& getCheckPoint() { return checkPoint_; }
{
return checkPoint_;
}
void checkSocketRecvBuffer(); void checkSocketRecvBuffer();
@ -247,20 +221,14 @@ protected:
// Returns true if the derived class wants to execute // Returns true if the derived class wants to execute
// executeInternal() unconditionally // executeInternal() unconditionally
virtual bool noCheck() const virtual bool noCheck() const { return false; }
{
return false;
}
public: public:
AbstractCommand(cuid_t cuid, AbstractCommand(
const std::shared_ptr<Request>& req, cuid_t cuid, const std::shared_ptr<Request>& req,
const std::shared_ptr<FileEntry>& fileEntry, const std::shared_ptr<FileEntry>& fileEntry, RequestGroup* requestGroup,
RequestGroup* requestGroup, DownloadEngine* e, const std::shared_ptr<SocketCore>& s = nullptr,
DownloadEngine* e, const std::shared_ptr<SocketRecvBuffer>& socketRecvBuffer = nullptr,
const std::shared_ptr<SocketCore>& s = nullptr,
const std::shared_ptr<SocketRecvBuffer>& socketRecvBuffer =
nullptr,
bool incNumConnection = true); bool incNumConnection = true);
virtual ~AbstractCommand(); virtual ~AbstractCommand();

View file

@ -36,7 +36,7 @@
#include <unistd.h> #include <unistd.h>
#ifdef HAVE_MMAP #ifdef HAVE_MMAP
# include <sys/mman.h> #include <sys/mman.h>
#endif // HAVE_MMAP #endif // HAVE_MMAP
#include <fcntl.h> #include <fcntl.h>
@ -68,13 +68,11 @@ AbstractDiskWriter::AbstractDiskWriter(const std::string& filename)
mapaddr_(nullptr), mapaddr_(nullptr),
maplen_(0) maplen_(0)
{}
AbstractDiskWriter::~AbstractDiskWriter()
{ {
closeFile();
} }
AbstractDiskWriter::~AbstractDiskWriter() { closeFile(); }
namespace { namespace {
// Returns error code depending on the platform. For MinGW32, return // Returns error code depending on the platform. For MinGW32, return
// the value of GetLastError(). Otherwise, return errno. // the value of GetLastError(). Otherwise, return errno.
@ -96,14 +94,11 @@ std::string fileStrerror(int errNum)
{ {
#ifdef __MINGW32__ #ifdef __MINGW32__
static char buf[256]; static char buf[256];
if(FormatMessage(FORMAT_MESSAGE_FROM_SYSTEM | FORMAT_MESSAGE_IGNORE_INSERTS, if (FormatMessage(FORMAT_MESSAGE_FROM_SYSTEM | FORMAT_MESSAGE_IGNORE_INSERTS,
0, 0, errNum,
errNum,
// Default language // Default language
MAKELANGID(LANG_ENGLISH, SUBLANG_ENGLISH_US), MAKELANGID(LANG_ENGLISH, SUBLANG_ENGLISH_US), (LPTSTR)&buf,
(LPTSTR) &buf, sizeof(buf), 0) == 0) {
sizeof(buf),
0) == 0) {
snprintf(buf, sizeof(buf), "File I/O error %x", errNum); snprintf(buf, sizeof(buf), "File I/O error %x", errNum);
} }
return buf; return buf;
@ -117,8 +112,9 @@ void AbstractDiskWriter::openFile(int64_t totalLength)
{ {
try { try {
openExistingFile(totalLength); openExistingFile(totalLength);
} catch(RecoverableException& e) { }
if( catch (RecoverableException& e) {
if (
#ifdef __MINGW32__ #ifdef __MINGW32__
e.getErrNum() == ERROR_FILE_NOT_FOUND || e.getErrNum() == ERROR_FILE_NOT_FOUND ||
e.getErrNum() == ERROR_PATH_NOT_FOUND e.getErrNum() == ERROR_PATH_NOT_FOUND
@ -127,7 +123,8 @@ void AbstractDiskWriter::openFile(int64_t totalLength)
#endif // !__MINGW32__ #endif // !__MINGW32__
) { ) {
initAndOpenFile(totalLength); initAndOpenFile(totalLength);
} else { }
else {
throw; throw;
} }
} }
@ -136,31 +133,32 @@ void AbstractDiskWriter::openFile(int64_t totalLength)
void AbstractDiskWriter::closeFile() void AbstractDiskWriter::closeFile()
{ {
#if defined(HAVE_MMAP) || defined(__MINGW32__) #if defined(HAVE_MMAP) || defined(__MINGW32__)
if(mapaddr_) { if (mapaddr_) {
int errNum = 0; int errNum = 0;
#ifdef __MINGW32__ #ifdef __MINGW32__
if(!UnmapViewOfFile(mapaddr_)) { if (!UnmapViewOfFile(mapaddr_)) {
errNum = GetLastError(); errNum = GetLastError();
} }
CloseHandle(mapView_); CloseHandle(mapView_);
mapView_ = INVALID_HANDLE_VALUE; mapView_ = INVALID_HANDLE_VALUE;
#else // !__MINGW32__ #else // !__MINGW32__
if(munmap(mapaddr_, maplen_) == -1) { if (munmap(mapaddr_, maplen_) == -1) {
errNum = errno; errNum = errno;
} }
#endif // !__MINGW32__ #endif // !__MINGW32__
if(errNum != 0) { if (errNum != 0) {
int errNum = fileError(); int errNum = fileError();
A2_LOG_ERROR(fmt("Unmapping file %s failed: %s", A2_LOG_ERROR(fmt("Unmapping file %s failed: %s", filename_.c_str(),
filename_.c_str(), fileStrerror(errNum).c_str())); fileStrerror(errNum).c_str()));
} else { }
else {
A2_LOG_INFO(fmt("Unmapping file %s succeeded", filename_.c_str())); A2_LOG_INFO(fmt("Unmapping file %s succeeded", filename_.c_str()));
} }
mapaddr_ = nullptr; mapaddr_ = nullptr;
maplen_ = 0; maplen_ = 0;
} }
#endif // HAVE_MMAP || defined __MINGW32__ #endif // HAVE_MMAP || defined __MINGW32__
if(fd_ != A2_BAD_FD) { if (fd_ != A2_BAD_FD) {
#ifdef __MINGW32__ #ifdef __MINGW32__
CloseHandle(fd_); CloseHandle(fd_);
#else // !__MINGW32__ #else // !__MINGW32__
@ -180,29 +178,32 @@ HANDLE openFileWithFlags(const std::string& filename, int flags,
DWORD sharedMode = FILE_SHARE_READ | FILE_SHARE_WRITE | FILE_SHARE_DELETE; DWORD sharedMode = FILE_SHARE_READ | FILE_SHARE_WRITE | FILE_SHARE_DELETE;
DWORD creationDisp = 0; DWORD creationDisp = 0;
if(flags & O_RDWR) { if (flags & O_RDWR) {
desiredAccess = GENERIC_READ | GENERIC_WRITE; desiredAccess = GENERIC_READ | GENERIC_WRITE;
} else if(flags & O_WRONLY) { }
else if (flags & O_WRONLY) {
desiredAccess = GENERIC_WRITE; desiredAccess = GENERIC_WRITE;
} else { }
else {
desiredAccess = GENERIC_READ; desiredAccess = GENERIC_READ;
} }
if(flags & O_CREAT) { if (flags & O_CREAT) {
if(flags & O_TRUNC) { if (flags & O_TRUNC) {
creationDisp |= CREATE_ALWAYS; creationDisp |= CREATE_ALWAYS;
} else { }
else {
creationDisp |= CREATE_NEW; creationDisp |= CREATE_NEW;
} }
} else { }
else {
creationDisp |= OPEN_EXISTING; creationDisp |= OPEN_EXISTING;
} }
hn = CreateFileW(utf8ToWChar(filename).c_str(), desiredAccess, sharedMode, hn = CreateFileW(utf8ToWChar(filename).c_str(), desiredAccess, sharedMode,
/* lpSecurityAttributes */ 0, creationDisp, /* lpSecurityAttributes */ 0, creationDisp,
FILE_ATTRIBUTE_NORMAL, /* hTemplateFile */ 0); FILE_ATTRIBUTE_NORMAL, /* hTemplateFile */ 0);
if(hn == INVALID_HANDLE_VALUE) { if (hn == INVALID_HANDLE_VALUE) {
int errNum = GetLastError(); int errNum = GetLastError();
throw DL_ABORT_EX3(errNum, fmt(EX_FILE_OPEN, throw DL_ABORT_EX3(errNum, fmt(EX_FILE_OPEN, filename.c_str(),
filename.c_str(),
fileStrerror(errNum).c_str()), fileStrerror(errNum).c_str()),
errCode); errCode);
} }
@ -213,9 +214,10 @@ int openFileWithFlags(const std::string& filename, int flags,
error_code::Value errCode) error_code::Value errCode)
{ {
int fd; int fd;
while((fd = a2open(utf8ToWChar(filename).c_str(), flags, OPEN_MODE)) == -1 while ((fd = a2open(utf8ToWChar(filename).c_str(), flags, OPEN_MODE)) == -1 &&
&& errno == EINTR); errno == EINTR)
if(fd < 0) { ;
if (fd < 0) {
int errNum = errno; int errNum = errno;
throw DL_ABORT_EX3(errNum, fmt(EX_FILE_OPEN, filename.c_str(), throw DL_ABORT_EX3(errNum, fmt(EX_FILE_OPEN, filename.c_str(),
util::safeStrerror(errNum).c_str()), util::safeStrerror(errNum).c_str()),
@ -233,9 +235,10 @@ int openFileWithFlags(const std::string& filename, int flags,
void AbstractDiskWriter::openExistingFile(int64_t totalLength) void AbstractDiskWriter::openExistingFile(int64_t totalLength)
{ {
int flags = O_BINARY; int flags = O_BINARY;
if(readOnly_) { if (readOnly_) {
flags |= O_RDONLY; flags |= O_RDONLY;
} else { }
else {
flags |= O_RDWR; flags |= O_RDWR;
} }
fd_ = openFileWithFlags(filename_, flags, error_code::FILE_OPEN_ERROR); fd_ = openFileWithFlags(filename_, flags, error_code::FILE_OPEN_ERROR);
@ -245,32 +248,38 @@ void AbstractDiskWriter::createFile(int addFlags)
{ {
assert(!filename_.empty()); assert(!filename_.empty());
util::mkdirs(File(filename_).getDirname()); util::mkdirs(File(filename_).getDirname());
fd_ = openFileWithFlags(filename_, O_CREAT|O_RDWR|O_TRUNC|O_BINARY|addFlags, fd_ = openFileWithFlags(filename_,
O_CREAT | O_RDWR | O_TRUNC | O_BINARY | addFlags,
error_code::FILE_CREATE_ERROR); error_code::FILE_CREATE_ERROR);
} }
ssize_t AbstractDiskWriter::writeDataInternal(const unsigned char* data, ssize_t AbstractDiskWriter::writeDataInternal(const unsigned char* data,
size_t len, int64_t offset) size_t len, int64_t offset)
{ {
if(mapaddr_) { if (mapaddr_) {
memcpy(mapaddr_ + offset, data, len); memcpy(mapaddr_ + offset, data, len);
return len; return len;
} else { }
else {
ssize_t writtenLength = 0; ssize_t writtenLength = 0;
seek(offset); seek(offset);
while((size_t)writtenLength < len) { while ((size_t)writtenLength < len) {
#ifdef __MINGW32__ #ifdef __MINGW32__
DWORD nwrite; DWORD nwrite;
if(WriteFile(fd_, data+writtenLength, len-writtenLength, &nwrite, 0)) { if (WriteFile(fd_, data + writtenLength, len - writtenLength, &nwrite,
0)) {
writtenLength += nwrite; writtenLength += nwrite;
} else { }
else {
return -1; return -1;
} }
#else // !__MINGW32__ #else // !__MINGW32__
ssize_t ret = 0; ssize_t ret = 0;
while((ret = write(fd_, data+writtenLength, len-writtenLength)) == -1 && while ((ret = write(fd_, data + writtenLength, len - writtenLength)) ==
errno == EINTR); -1 &&
if(ret == -1) { errno == EINTR)
;
if (ret == -1) {
return -1; return -1;
} }
writtenLength += ret; writtenLength += ret;
@ -283,25 +292,28 @@ ssize_t AbstractDiskWriter::writeDataInternal(const unsigned char* data,
ssize_t AbstractDiskWriter::readDataInternal(unsigned char* data, size_t len, ssize_t AbstractDiskWriter::readDataInternal(unsigned char* data, size_t len,
int64_t offset) int64_t offset)
{ {
if(mapaddr_) { if (mapaddr_) {
if (offset >= maplen_) { if (offset >= maplen_) {
return 0; return 0;
} }
auto readlen = std::min(maplen_ - offset, static_cast<int64_t>(len)); auto readlen = std::min(maplen_ - offset, static_cast<int64_t>(len));
memcpy(data, mapaddr_ + offset, readlen); memcpy(data, mapaddr_ + offset, readlen);
return readlen; return readlen;
} else { }
else {
seek(offset); seek(offset);
#ifdef __MINGW32__ #ifdef __MINGW32__
DWORD nread; DWORD nread;
if(ReadFile(fd_, data, len, &nread, 0)) { if (ReadFile(fd_, data, len, &nread, 0)) {
return nread; return nread;
} else { }
else {
return -1; return -1;
} }
#else // !__MINGW32__ #else // !__MINGW32__
ssize_t ret = 0; ssize_t ret = 0;
while((ret = read(fd_, data, len)) == -1 && errno == EINTR); while ((ret = read(fd_, data, len)) == -1 && errno == EINTR)
;
return ret; return ret;
#endif // !__MINGW32__ #endif // !__MINGW32__
} }
@ -313,14 +325,14 @@ void AbstractDiskWriter::seek(int64_t offset)
#ifdef __MINGW32__ #ifdef __MINGW32__
LARGE_INTEGER fileLength; LARGE_INTEGER fileLength;
fileLength.QuadPart = offset; fileLength.QuadPart = offset;
if(SetFilePointerEx(fd_, fileLength, 0, FILE_BEGIN) == 0) if (SetFilePointerEx(fd_, fileLength, 0, FILE_BEGIN) == 0)
#else // !__MINGW32__ #else // !__MINGW32__
if(a2lseek(fd_, offset, SEEK_SET) == (a2_off_t)-1) if (a2lseek(fd_, offset, SEEK_SET) == (a2_off_t)-1)
#endif // !__MINGW32__ #endif // !__MINGW32__
{ {
int errNum = fileError(); int errNum = fileError();
throw DL_ABORT_EX2(fmt(EX_FILE_SEEK, filename_.c_str(), throw DL_ABORT_EX2(
fileStrerror(errNum).c_str()), fmt(EX_FILE_SEEK, filename_.c_str(), fileStrerror(errNum).c_str()),
error_code::FILE_IO_ERROR); error_code::FILE_IO_ERROR);
} }
} }
@ -328,30 +340,31 @@ void AbstractDiskWriter::seek(int64_t offset)
void AbstractDiskWriter::ensureMmapWrite(size_t len, int64_t offset) void AbstractDiskWriter::ensureMmapWrite(size_t len, int64_t offset)
{ {
#if defined(HAVE_MMAP) || defined(__MINGW32__) #if defined(HAVE_MMAP) || defined(__MINGW32__)
if(enableMmap_) { if (enableMmap_) {
if(mapaddr_) { if (mapaddr_) {
if(static_cast<int64_t>(len + offset) > maplen_) { if (static_cast<int64_t>(len + offset) > maplen_) {
int errNum = 0; int errNum = 0;
#ifdef __MINGW32__ #ifdef __MINGW32__
if(!UnmapViewOfFile(mapaddr_)) { if (!UnmapViewOfFile(mapaddr_)) {
errNum = GetLastError(); errNum = GetLastError();
} }
CloseHandle(mapView_); CloseHandle(mapView_);
mapView_ = INVALID_HANDLE_VALUE; mapView_ = INVALID_HANDLE_VALUE;
#else // !__MINGW32__ #else // !__MINGW32__
if(munmap(mapaddr_, maplen_) == -1) { if (munmap(mapaddr_, maplen_) == -1) {
errNum = errno; errNum = errno;
} }
#endif // !__MINGW32__ #endif // !__MINGW32__
if(errNum != 0) { if (errNum != 0) {
A2_LOG_ERROR(fmt("Unmapping file %s failed: %s", A2_LOG_ERROR(fmt("Unmapping file %s failed: %s", filename_.c_str(),
filename_.c_str(), fileStrerror(errNum).c_str())); fileStrerror(errNum).c_str()));
} }
mapaddr_ = nullptr; mapaddr_ = nullptr;
maplen_ = 0; maplen_ = 0;
enableMmap_ = false; enableMmap_ = false;
} }
} else { }
else {
int64_t filesize = size(); int64_t filesize = size();
if (filesize == 0) { if (filesize == 0) {
@ -362,37 +375,37 @@ void AbstractDiskWriter::ensureMmapWrite(size_t len, int64_t offset)
} }
int errNum = 0; int errNum = 0;
if(static_cast<int64_t>(len + offset) <= filesize) { if (static_cast<int64_t>(len + offset) <= filesize) {
#ifdef __MINGW32__ #ifdef __MINGW32__
mapView_ = CreateFileMapping(fd_, 0, PAGE_READWRITE, mapView_ = CreateFileMapping(fd_, 0, PAGE_READWRITE, filesize >> 32,
filesize >> 32, filesize & 0xffffffffu, filesize & 0xffffffffu, 0);
0); if (mapView_) {
if(mapView_) { mapaddr_ = reinterpret_cast<unsigned char*>(
mapaddr_ = reinterpret_cast<unsigned char*> MapViewOfFile(mapView_, FILE_MAP_WRITE, 0, 0, 0));
(MapViewOfFile(mapView_, FILE_MAP_WRITE, 0, 0, 0)); if (!mapaddr_) {
if(!mapaddr_) {
errNum = GetLastError(); errNum = GetLastError();
CloseHandle(mapView_); CloseHandle(mapView_);
mapView_ = INVALID_HANDLE_VALUE; mapView_ = INVALID_HANDLE_VALUE;
} }
} else { }
else {
errNum = GetLastError(); errNum = GetLastError();
} }
#else // !__MINGW32__ #else // !__MINGW32__
mapaddr_ = reinterpret_cast<unsigned char*> mapaddr_ = reinterpret_cast<unsigned char*>(mmap(
(mmap(nullptr, filesize, PROT_READ | PROT_WRITE, MAP_SHARED, fd_, 0)); nullptr, filesize, PROT_READ | PROT_WRITE, MAP_SHARED, fd_, 0));
if(!mapaddr_) { if (!mapaddr_) {
errNum = errno; errNum = errno;
} }
#endif // !__MINGW32__ #endif // !__MINGW32__
if(mapaddr_) { if (mapaddr_) {
A2_LOG_DEBUG(fmt("Mapping file %s succeeded, length=%" PRId64 "", A2_LOG_DEBUG(fmt("Mapping file %s succeeded, length=%" PRId64 "",
filename_.c_str(), filename_.c_str(), static_cast<uint64_t>(filesize)));
static_cast<uint64_t>(filesize)));
maplen_ = filesize; maplen_ = filesize;
} else { }
A2_LOG_WARN(fmt("Mapping file %s failed: %s", else {
filename_.c_str(), fileStrerror(errNum).c_str())); A2_LOG_WARN(fmt("Mapping file %s failed: %s", filename_.c_str(),
fileStrerror(errNum).c_str()));
enableMmap_ = false; enableMmap_ = false;
} }
} }
@ -401,40 +414,41 @@ void AbstractDiskWriter::ensureMmapWrite(size_t len, int64_t offset)
#endif // HAVE_MMAP || __MINGW32__ #endif // HAVE_MMAP || __MINGW32__
} }
void AbstractDiskWriter::writeData(const unsigned char* data, size_t len, int64_t offset) void AbstractDiskWriter::writeData(const unsigned char* data, size_t len,
int64_t offset)
{ {
ensureMmapWrite(len, offset); ensureMmapWrite(len, offset);
if(writeDataInternal(data, len, offset) < 0) { if (writeDataInternal(data, len, offset) < 0) {
int errNum = fileError(); int errNum = fileError();
if( if (
// If the error indicates disk full situation, throw // If the error indicates disk full situation, throw
// DownloadFailureException and abort download instantly. // DownloadFailureException and abort download instantly.
#ifdef __MINGW32__ #ifdef __MINGW32__
errNum == ERROR_DISK_FULL || errNum == ERROR_HANDLE_DISK_FULL errNum == ERROR_DISK_FULL || errNum == ERROR_HANDLE_DISK_FULL
#else // !__MINGW32__ #else // !__MINGW32__
errNum == ENOSPC errNum == ENOSPC
#endif // !__MINGW32__ #endif // !__MINGW32__
) { ) {
throw DOWNLOAD_FAILURE_EXCEPTION3 throw DOWNLOAD_FAILURE_EXCEPTION3(
(errNum, fmt(EX_FILE_WRITE, filename_.c_str(), errNum,
fileStrerror(errNum).c_str()), fmt(EX_FILE_WRITE, filename_.c_str(), fileStrerror(errNum).c_str()),
error_code::NOT_ENOUGH_DISK_SPACE); error_code::NOT_ENOUGH_DISK_SPACE);
} else { }
throw DL_ABORT_EX3 else {
(errNum, fmt(EX_FILE_WRITE, filename_.c_str(), throw DL_ABORT_EX3(errNum, fmt(EX_FILE_WRITE, filename_.c_str(),
fileStrerror(errNum).c_str()), fileStrerror(errNum).c_str()),
error_code::FILE_IO_ERROR); error_code::FILE_IO_ERROR);
} }
} }
} }
ssize_t AbstractDiskWriter::readData(unsigned char* data, size_t len, int64_t offset) ssize_t AbstractDiskWriter::readData(unsigned char* data, size_t len,
int64_t offset)
{ {
ssize_t ret; ssize_t ret;
if((ret = readDataInternal(data, len, offset)) < 0) { if ((ret = readDataInternal(data, len, offset)) < 0) {
int errNum = fileError(); int errNum = fileError();
throw DL_ABORT_EX3 throw DL_ABORT_EX3(errNum, fmt(EX_FILE_READ, filename_.c_str(),
(errNum, fmt(EX_FILE_READ, filename_.c_str(),
fileStrerror(errNum).c_str()), fileStrerror(errNum).c_str()),
error_code::FILE_IO_ERROR); error_code::FILE_IO_ERROR);
} }
@ -443,63 +457,59 @@ ssize_t AbstractDiskWriter::readData(unsigned char* data, size_t len, int64_t of
void AbstractDiskWriter::truncate(int64_t length) void AbstractDiskWriter::truncate(int64_t length)
{ {
if(fd_ == A2_BAD_FD) { if (fd_ == A2_BAD_FD) {
throw DL_ABORT_EX("File not yet opened."); throw DL_ABORT_EX("File not yet opened.");
} }
#ifdef __MINGW32__ #ifdef __MINGW32__
// Since mingw32's ftruncate cannot handle over 2GB files, we use // Since mingw32's ftruncate cannot handle over 2GB files, we use
// SetEndOfFile instead. // SetEndOfFile instead.
seek(length); seek(length);
if(SetEndOfFile(fd_) == 0) if (SetEndOfFile(fd_) == 0)
#else // !__MINGW32__ #else // !__MINGW32__
if(a2ftruncate(fd_, length) == -1) if (a2ftruncate(fd_, length) == -1)
#endif // !__MINGW32__ #endif // !__MINGW32__
{ {
int errNum = fileError(); int errNum = fileError();
throw DL_ABORT_EX2(fmt("File truncation failed. cause: %s", throw DL_ABORT_EX2(
fileStrerror(errNum).c_str()), fmt("File truncation failed. cause: %s", fileStrerror(errNum).c_str()),
error_code::FILE_IO_ERROR); error_code::FILE_IO_ERROR);
} }
} }
void AbstractDiskWriter::allocate(int64_t offset, int64_t length, bool sparse) void AbstractDiskWriter::allocate(int64_t offset, int64_t length, bool sparse)
{ {
if(fd_ == A2_BAD_FD) { if (fd_ == A2_BAD_FD) {
throw DL_ABORT_EX("File not yet opened."); throw DL_ABORT_EX("File not yet opened.");
} }
if(sparse) { if (sparse) {
#ifdef __MINGW32__ #ifdef __MINGW32__
DWORD bytesReturned; DWORD bytesReturned;
if(!DeviceIoControl(fd_, FSCTL_SET_SPARSE, 0, 0, 0, 0, if (!DeviceIoControl(fd_, FSCTL_SET_SPARSE, 0, 0, 0, 0, &bytesReturned,
&bytesReturned, 0)) { 0)) {
A2_LOG_WARN(fmt("Making file sparse failed or pending: %s", A2_LOG_WARN(fmt("Making file sparse failed or pending: %s",
fileStrerror(GetLastError()).c_str())); fileStrerror(GetLastError()).c_str()));
} }
#endif // __MINGW32__ #endif // __MINGW32__
truncate(offset+length); truncate(offset + length);
return; return;
} }
#ifdef HAVE_SOME_FALLOCATE #ifdef HAVE_SOME_FALLOCATE
# ifdef __MINGW32__ #ifdef __MINGW32__
truncate(offset+length); truncate(offset + length);
# elif defined(__APPLE__) && defined(__MACH__) #elif defined(__APPLE__) && defined(__MACH__)
auto toalloc = offset + length - size(); auto toalloc = offset + length - size();
while (toalloc > 0) { while (toalloc > 0) {
fstore_t fstore = { fstore_t fstore = {
F_ALLOCATECONTIG | F_ALLOCATEALL, F_ALLOCATECONTIG | F_ALLOCATEALL, F_PEOFPOSMODE, 0,
F_PEOFPOSMODE,
0,
// Allocate in 1GB chunks or else some OSX versions may choke. // Allocate in 1GB chunks or else some OSX versions may choke.
std::min(toalloc, (int64_t)1<<30), std::min(toalloc, (int64_t)1 << 30), 0};
0
};
if (fcntl(fd_, F_PREALLOCATE, &fstore) == -1) { if (fcntl(fd_, F_PREALLOCATE, &fstore) == -1) {
// Retry non-contig. // Retry non-contig.
fstore.fst_flags = F_ALLOCATEALL; fstore.fst_flags = F_ALLOCATEALL;
if (fcntl(fd_, F_PREALLOCATE, &fstore) == -1) { if (fcntl(fd_, F_PREALLOCATE, &fstore) == -1) {
int err = errno; int err = errno;
throw DL_ABORT_EX3(err, throw DL_ABORT_EX3(
fmt("fcntl(F_PREALLOCATE) of %" PRId64 " failed. cause: %s", err, fmt("fcntl(F_PREALLOCATE) of %" PRId64 " failed. cause: %s",
fstore.fst_length, util::safeStrerror(err).c_str()), fstore.fst_length, util::safeStrerror(err).c_str()),
error_code::FILE_IO_ERROR); error_code::FILE_IO_ERROR);
} }
@ -508,51 +518,38 @@ void AbstractDiskWriter::allocate(int64_t offset, int64_t length, bool sparse)
} }
// This forces the allocation on disk. // This forces the allocation on disk.
ftruncate(fd_, offset + length); ftruncate(fd_, offset + length);
# elif HAVE_FALLOCATE #elif HAVE_FALLOCATE
// For linux, we use fallocate to detect file system supports // For linux, we use fallocate to detect file system supports
// fallocate or not. // fallocate or not.
int r; int r;
while((r = fallocate(fd_, 0, offset, length)) == -1 && errno == EINTR); while ((r = fallocate(fd_, 0, offset, length)) == -1 && errno == EINTR)
;
int errNum = errno; int errNum = errno;
if(r == -1) { if (r == -1) {
throw DL_ABORT_EX3(errNum, throw DL_ABORT_EX3(errNum, fmt("fallocate failed. cause: %s",
fmt("fallocate failed. cause: %s",
util::safeStrerror(errNum).c_str()), util::safeStrerror(errNum).c_str()),
error_code::FILE_IO_ERROR); error_code::FILE_IO_ERROR);
} }
# elif HAVE_POSIX_FALLOCATE #elif HAVE_POSIX_FALLOCATE
int r = posix_fallocate(fd_, offset, length); int r = posix_fallocate(fd_, offset, length);
if(r != 0) { if (r != 0) {
throw DL_ABORT_EX3(r, throw DL_ABORT_EX3(r, fmt("posix_fallocate failed. cause: %s",
fmt("posix_fallocate failed. cause: %s",
util::safeStrerror(r).c_str()), util::safeStrerror(r).c_str()),
error_code::FILE_IO_ERROR); error_code::FILE_IO_ERROR);
} }
# else #else
# error "no *_fallocate function available." #error "no *_fallocate function available."
# endif #endif
#endif // HAVE_SOME_FALLOCATE #endif // HAVE_SOME_FALLOCATE
} }
int64_t AbstractDiskWriter::size() int64_t AbstractDiskWriter::size() { return File(filename_).size(); }
{
return File(filename_).size();
}
void AbstractDiskWriter::enableReadOnly() void AbstractDiskWriter::enableReadOnly() { readOnly_ = true; }
{
readOnly_ = true;
}
void AbstractDiskWriter::disableReadOnly() void AbstractDiskWriter::disableReadOnly() { readOnly_ = false; }
{
readOnly_ = false;
}
void AbstractDiskWriter::enableMmap() void AbstractDiskWriter::enableMmap() { enableMmap_ = true; }
{
enableMmap_ = true;
}
void AbstractDiskWriter::dropCache(int64_t len, int64_t offset) void AbstractDiskWriter::dropCache(int64_t len, int64_t offset)
{ {

View file

@ -65,8 +65,10 @@ private:
void seek(int64_t offset); void seek(int64_t offset);
void ensureMmapWrite(size_t len, int64_t offset); void ensureMmapWrite(size_t len, int64_t offset);
protected: protected:
void createFile(int addFlags = 0); void createFile(int addFlags = 0);
public: public:
AbstractDiskWriter(const std::string& filename); AbstractDiskWriter(const std::string& filename);
virtual ~AbstractDiskWriter(); virtual ~AbstractDiskWriter();
@ -77,17 +79,17 @@ public:
virtual void openExistingFile(int64_t totalLength = 0) CXX11_OVERRIDE; virtual void openExistingFile(int64_t totalLength = 0) CXX11_OVERRIDE;
virtual void writeData(const unsigned char* data, size_t len, int64_t offset) virtual void writeData(const unsigned char* data, size_t len,
CXX11_OVERRIDE; int64_t offset) CXX11_OVERRIDE;
virtual ssize_t readData(unsigned char* data, size_t len, int64_t offset) virtual ssize_t readData(unsigned char* data, size_t len,
CXX11_OVERRIDE; int64_t offset) CXX11_OVERRIDE;
virtual void truncate(int64_t length) CXX11_OVERRIDE; virtual void truncate(int64_t length) CXX11_OVERRIDE;
// File must be opened before calling this function. // File must be opened before calling this function.
virtual void allocate(int64_t offset, int64_t length, bool sparse) virtual void allocate(int64_t offset, int64_t length,
CXX11_OVERRIDE; bool sparse) CXX11_OVERRIDE;
virtual int64_t size() CXX11_OVERRIDE; virtual int64_t size() CXX11_OVERRIDE;

View file

@ -47,11 +47,9 @@
namespace aria2 { namespace aria2 {
AbstractHttpServerResponseCommand::AbstractHttpServerResponseCommand AbstractHttpServerResponseCommand::AbstractHttpServerResponseCommand(
(cuid_t cuid, cuid_t cuid, const std::shared_ptr<HttpServer>& httpServer,
const std::shared_ptr<HttpServer>& httpServer, DownloadEngine* e, const std::shared_ptr<SocketCore>& socket)
DownloadEngine* e,
const std::shared_ptr<SocketCore>& socket)
: Command(cuid), : Command(cuid),
e_(e), e_(e),
socket_(socket), socket_(socket),
@ -65,31 +63,33 @@ AbstractHttpServerResponseCommand::AbstractHttpServerResponseCommand
AbstractHttpServerResponseCommand::~AbstractHttpServerResponseCommand() AbstractHttpServerResponseCommand::~AbstractHttpServerResponseCommand()
{ {
if(readCheck_) { if (readCheck_) {
e_->deleteSocketForReadCheck(socket_, this); e_->deleteSocketForReadCheck(socket_, this);
} }
if(writeCheck_) { if (writeCheck_) {
e_->deleteSocketForWriteCheck(socket_, this); e_->deleteSocketForWriteCheck(socket_, this);
} }
} }
void AbstractHttpServerResponseCommand::updateReadWriteCheck() void AbstractHttpServerResponseCommand::updateReadWriteCheck()
{ {
if(httpServer_->wantRead()) { if (httpServer_->wantRead()) {
if(!readCheck_) { if (!readCheck_) {
readCheck_ = true; readCheck_ = true;
e_->addSocketForReadCheck(socket_, this); e_->addSocketForReadCheck(socket_, this);
} }
} else if(readCheck_) { }
else if (readCheck_) {
readCheck_ = false; readCheck_ = false;
e_->deleteSocketForReadCheck(socket_, this); e_->deleteSocketForReadCheck(socket_, this);
} }
if(httpServer_->wantWrite()) { if (httpServer_->wantWrite()) {
if(!writeCheck_) { if (!writeCheck_) {
writeCheck_ = true; writeCheck_ = true;
e_->addSocketForWriteCheck(socket_, this); e_->addSocketForWriteCheck(socket_, this);
} }
} else if(writeCheck_) { }
else if (writeCheck_) {
writeCheck_ = false; writeCheck_ = false;
e_->deleteSocketForWriteCheck(socket_, this); e_->deleteSocketForWriteCheck(socket_, this);
} }
@ -97,34 +97,36 @@ void AbstractHttpServerResponseCommand::updateReadWriteCheck()
bool AbstractHttpServerResponseCommand::execute() bool AbstractHttpServerResponseCommand::execute()
{ {
if(e_->getRequestGroupMan()->downloadFinished() || e_->isHaltRequested()) { if (e_->getRequestGroupMan()->downloadFinished() || e_->isHaltRequested()) {
return true; return true;
} }
try { try {
ssize_t len = httpServer_->sendResponse(); ssize_t len = httpServer_->sendResponse();
if(len > 0) { if (len > 0) {
timeoutTimer_ = global::wallclock(); timeoutTimer_ = global::wallclock();
} }
} catch(RecoverableException& e) { }
A2_LOG_INFO_EX catch (RecoverableException& e) {
(fmt("CUID#%" PRId64 A2_LOG_INFO_EX(fmt("CUID#%" PRId64
" - Error occurred while transmitting response body.", " - Error occurred while transmitting response body.",
getCuid()), getCuid()),
e); e);
return true; return true;
} }
if(httpServer_->sendBufferIsEmpty()) { if (httpServer_->sendBufferIsEmpty()) {
A2_LOG_INFO(fmt("CUID#%" PRId64 " - HttpServer: all response transmitted.", A2_LOG_INFO(fmt("CUID#%" PRId64 " - HttpServer: all response transmitted.",
getCuid())); getCuid()));
afterSend(httpServer_, e_); afterSend(httpServer_, e_);
return true; return true;
} else { }
else {
if (timeoutTimer_.difference(global::wallclock()) >= 30_s) { if (timeoutTimer_.difference(global::wallclock()) >= 30_s) {
A2_LOG_INFO(fmt("CUID#%" PRId64 A2_LOG_INFO(fmt("CUID#%" PRId64
" - HttpServer: Timeout while trasmitting response.", " - HttpServer: Timeout while trasmitting response.",
getCuid())); getCuid()));
return true; return true;
} else { }
else {
updateReadWriteCheck(); updateReadWriteCheck();
e_->addCommand(std::unique_ptr<Command>(this)); e_->addCommand(std::unique_ptr<Command>(this));
return false; return false;

View file

@ -57,19 +57,17 @@ private:
bool writeCheck_; bool writeCheck_;
void updateReadWriteCheck(); void updateReadWriteCheck();
protected: protected:
DownloadEngine* getDownloadEngine() DownloadEngine* getDownloadEngine() { return e_; }
{
return e_;
}
// Called after content body is completely sent. // Called after content body is completely sent.
virtual void afterSend(const std::shared_ptr<HttpServer>& httpServer, virtual void afterSend(const std::shared_ptr<HttpServer>& httpServer,
DownloadEngine* e) = 0; DownloadEngine* e) = 0;
public: public:
AbstractHttpServerResponseCommand(cuid_t cuid, AbstractHttpServerResponseCommand(
const std::shared_ptr<HttpServer>& httpServer, cuid_t cuid, const std::shared_ptr<HttpServer>& httpServer,
DownloadEngine* e, DownloadEngine* e, const std::shared_ptr<SocketCore>& socket);
const std::shared_ptr<SocketCore>& socket);
virtual ~AbstractHttpServerResponseCommand(); virtual ~AbstractHttpServerResponseCommand();

View file

@ -44,12 +44,10 @@
namespace aria2 { namespace aria2 {
AbstractOptionHandler::AbstractOptionHandler AbstractOptionHandler::AbstractOptionHandler(PrefPtr pref,
(PrefPtr pref,
const char* description, const char* description,
const std::string& defaultValue, const std::string& defaultValue,
ARG_TYPE argType, ARG_TYPE argType, char shortName)
char shortName)
: pref_(pref), : pref_(pref),
description_(description), description_(description),
defaultValue_(defaultValue), defaultValue_(defaultValue),
@ -57,7 +55,8 @@ AbstractOptionHandler::AbstractOptionHandler
shortName_(shortName), shortName_(shortName),
tags_(0), tags_(0),
flags_(0) flags_(0)
{} {
}
AbstractOptionHandler::~AbstractOptionHandler() {} AbstractOptionHandler::~AbstractOptionHandler() {}
@ -65,7 +64,8 @@ void AbstractOptionHandler::parse(Option& option, const std::string& arg) const
{ {
try { try {
parseArg(option, arg); parseArg(option, arg);
} catch(Exception& e) { }
catch (Exception& e) {
throw OPTION_HANDLER_EXCEPTION2(pref_, e); throw OPTION_HANDLER_EXCEPTION2(pref_, e);
} }
} }
@ -75,49 +75,38 @@ bool AbstractOptionHandler::hasTag(uint32_t tag) const
return (tags_ & (1 << tag)); return (tags_ & (1 << tag));
} }
void AbstractOptionHandler::addTag(uint32_t tag) void AbstractOptionHandler::addTag(uint32_t tag) { tags_ |= (1 << tag); }
{
tags_ |= (1 << tag);
}
std::string AbstractOptionHandler::toTagString() const std::string AbstractOptionHandler::toTagString() const
{ {
std::string s; std::string s;
for(int i = 0; i < MAX_HELP_TAG; ++i) { for (int i = 0; i < MAX_HELP_TAG; ++i) {
if(tags_ & (1 << i)) { if (tags_ & (1 << i)) {
s += strHelpTag(i); s += strHelpTag(i);
s += ", "; s += ", ";
} }
} }
if(!s.empty()) { if (!s.empty()) {
s.resize(s.size() - 2); s.resize(s.size() - 2);
} }
return s; return s;
} }
const char* AbstractOptionHandler::getName() const const char* AbstractOptionHandler::getName() const { return pref_->k; }
{
return pref_->k;
}
void AbstractOptionHandler::updateFlags(int flag, bool val) void AbstractOptionHandler::updateFlags(int flag, bool val)
{ {
if(val) { if (val) {
flags_ |= flag; flags_ |= flag;
} else { }
else {
flags_ &= ~flag; flags_ &= ~flag;
} }
} }
bool AbstractOptionHandler::isHidden() const bool AbstractOptionHandler::isHidden() const { return flags_ & FLAG_HIDDEN; }
{
return flags_ & FLAG_HIDDEN;
}
void AbstractOptionHandler::hide() void AbstractOptionHandler::hide() { updateFlags(FLAG_HIDDEN, true); }
{
updateFlags(FLAG_HIDDEN, true);
}
bool AbstractOptionHandler::getEraseAfterParse() const bool AbstractOptionHandler::getEraseAfterParse() const
{ {

View file

@ -55,17 +55,16 @@ protected:
char shortName_; char shortName_;
virtual void parseArg(Option& option, const std::string& arg) const = 0; virtual void parseArg(Option& option, const std::string& arg) const = 0;
public: public:
AbstractOptionHandler(PrefPtr pref, AbstractOptionHandler(PrefPtr pref, const char* description = NO_DESCRIPTION,
const char* description = NO_DESCRIPTION,
const std::string& defaultValue = NO_DEFAULT_VALUE, const std::string& defaultValue = NO_DEFAULT_VALUE,
ARG_TYPE argType = REQ_ARG, ARG_TYPE argType = REQ_ARG, char shortName = 0);
char shortName = 0);
virtual ~AbstractOptionHandler(); virtual ~AbstractOptionHandler();
virtual void parse(Option& option, const std::string& arg) const virtual void parse(Option& option,
CXX11_OVERRIDE; const std::string& arg) const CXX11_OVERRIDE;
virtual bool hasTag(uint32_t tag) const CXX11_OVERRIDE; virtual bool hasTag(uint32_t tag) const CXX11_OVERRIDE;
@ -85,15 +84,9 @@ public:
return defaultValue_; return defaultValue_;
} }
virtual PrefPtr getPref() const CXX11_OVERRIDE virtual PrefPtr getPref() const CXX11_OVERRIDE { return pref_; }
{
return pref_;
}
virtual char getShortName() const CXX11_OVERRIDE virtual char getShortName() const CXX11_OVERRIDE { return shortName_; }
{
return shortName_;
}
virtual OptionHandler::ARG_TYPE getArgType() const CXX11_OVERRIDE virtual OptionHandler::ARG_TYPE getArgType() const CXX11_OVERRIDE
{ {
@ -137,6 +130,7 @@ public:
FLAG_CHANGE_GLOBAL_OPTION = 1 << 5, FLAG_CHANGE_GLOBAL_OPTION = 1 << 5,
FLAG_CUMULATIVE = 1 << 6 FLAG_CUMULATIVE = 1 << 6
}; };
private: private:
// bitwise OR of (1 << HelpTag value) defined in help_tags.h. // bitwise OR of (1 << HelpTag value) defined in help_tags.h.
uint32_t tags_; uint32_t tags_;

View file

@ -49,20 +49,15 @@
namespace aria2 { namespace aria2 {
AbstractProxyRequestCommand::AbstractProxyRequestCommand AbstractProxyRequestCommand::AbstractProxyRequestCommand(
(cuid_t cuid, cuid_t cuid, const std::shared_ptr<Request>& req,
const std::shared_ptr<Request>& req, const std::shared_ptr<FileEntry>& fileEntry, RequestGroup* requestGroup,
const std::shared_ptr<FileEntry>& fileEntry, DownloadEngine* e, const std::shared_ptr<Request>& proxyRequest,
RequestGroup* requestGroup,
DownloadEngine* e,
const std::shared_ptr<Request>& proxyRequest,
const std::shared_ptr<SocketCore>& s) const std::shared_ptr<SocketCore>& s)
: : AbstractCommand(cuid, req, fileEntry, requestGroup, e, s),
AbstractCommand(cuid, req, fileEntry, requestGroup, e, s),
proxyRequest_(proxyRequest), proxyRequest_(proxyRequest),
httpConnection_ httpConnection_(std::make_shared<HttpConnection>(
(std::make_shared<HttpConnection> cuid, s, std::make_shared<SocketRecvBuffer>(s)))
(cuid, s, std::make_shared<SocketRecvBuffer>(s)))
{ {
setTimeout(std::chrono::seconds(getOption()->getAsInt(PREF_CONNECT_TIMEOUT))); setTimeout(std::chrono::seconds(getOption()->getAsInt(PREF_CONNECT_TIMEOUT)));
disableReadCheckSocket(); disableReadCheckSocket();
@ -71,22 +66,25 @@ AbstractProxyRequestCommand::AbstractProxyRequestCommand
AbstractProxyRequestCommand::~AbstractProxyRequestCommand() {} AbstractProxyRequestCommand::~AbstractProxyRequestCommand() {}
bool AbstractProxyRequestCommand::executeInternal() { bool AbstractProxyRequestCommand::executeInternal()
//socket->setBlockingMode(); {
if(httpConnection_->sendBufferIsEmpty()) { // socket->setBlockingMode();
if (httpConnection_->sendBufferIsEmpty()) {
auto httpRequest = make_unique<HttpRequest>(); auto httpRequest = make_unique<HttpRequest>();
httpRequest->setUserAgent(getOption()->get(PREF_USER_AGENT)); httpRequest->setUserAgent(getOption()->get(PREF_USER_AGENT));
httpRequest->setRequest(getRequest()); httpRequest->setRequest(getRequest());
httpRequest->setProxyRequest(proxyRequest_); httpRequest->setProxyRequest(proxyRequest_);
httpConnection_->sendProxyRequest(std::move(httpRequest)); httpConnection_->sendProxyRequest(std::move(httpRequest));
} else { }
else {
httpConnection_->sendPendingData(); httpConnection_->sendPendingData();
} }
if(httpConnection_->sendBufferIsEmpty()) { if (httpConnection_->sendBufferIsEmpty()) {
getDownloadEngine()->addCommand(getNextCommand()); getDownloadEngine()->addCommand(getNextCommand());
return true; return true;
} else { }
else {
setWriteCheckSocket(getSocket()); setWriteCheckSocket(getSocket());
addCommandSelf(); addCommandSelf();
return false; return false;

View file

@ -47,6 +47,7 @@ private:
std::shared_ptr<Request> proxyRequest_; std::shared_ptr<Request> proxyRequest_;
std::shared_ptr<HttpConnection> httpConnection_; std::shared_ptr<HttpConnection> httpConnection_;
protected: protected:
virtual bool executeInternal() CXX11_OVERRIDE; virtual bool executeInternal() CXX11_OVERRIDE;
@ -59,12 +60,11 @@ protected:
{ {
return proxyRequest_; return proxyRequest_;
} }
public: public:
AbstractProxyRequestCommand(cuid_t cuid, AbstractProxyRequestCommand(cuid_t cuid, const std::shared_ptr<Request>& req,
const std::shared_ptr<Request>& req,
const std::shared_ptr<FileEntry>& fileEntry, const std::shared_ptr<FileEntry>& fileEntry,
RequestGroup* requestGroup, RequestGroup* requestGroup, DownloadEngine* e,
DownloadEngine* e,
const std::shared_ptr<Request>& proxyRequest, const std::shared_ptr<Request>& proxyRequest,
const std::shared_ptr<SocketCore>& s); const std::shared_ptr<SocketCore>& s);

View file

@ -50,27 +50,28 @@
namespace aria2 { namespace aria2 {
AbstractProxyResponseCommand::AbstractProxyResponseCommand AbstractProxyResponseCommand::AbstractProxyResponseCommand(
(cuid_t cuid, cuid_t cuid, const std::shared_ptr<Request>& req,
const std::shared_ptr<Request>& req, const std::shared_ptr<FileEntry>& fileEntry, RequestGroup* requestGroup,
const std::shared_ptr<FileEntry>& fileEntry, const std::shared_ptr<HttpConnection>& httpConnection, DownloadEngine* e,
RequestGroup* requestGroup,
const std::shared_ptr<HttpConnection>& httpConnection,
DownloadEngine* e,
const std::shared_ptr<SocketCore>& s) const std::shared_ptr<SocketCore>& s)
:AbstractCommand(cuid, req, fileEntry, requestGroup, e, s), : AbstractCommand(cuid, req, fileEntry, requestGroup, e, s),
httpConnection_(httpConnection) {} httpConnection_(httpConnection)
{
}
AbstractProxyResponseCommand::~AbstractProxyResponseCommand() {} AbstractProxyResponseCommand::~AbstractProxyResponseCommand() {}
bool AbstractProxyResponseCommand::executeInternal() { bool AbstractProxyResponseCommand::executeInternal()
std::shared_ptr<HttpResponse> httpResponse = httpConnection_->receiveResponse(); {
if(!httpResponse) { std::shared_ptr<HttpResponse> httpResponse =
httpConnection_->receiveResponse();
if (!httpResponse) {
// the server has not responded our request yet. // the server has not responded our request yet.
addCommandSelf(); addCommandSelf();
return false; return false;
} }
if(httpResponse->getStatusCode() != 200) { if (httpResponse->getStatusCode() != 200) {
throw DL_RETRY_EX(EX_PROXY_CONNECTION_FAILED); throw DL_RETRY_EX(EX_PROXY_CONNECTION_FAILED);
} }
getDownloadEngine()->addCommand(getNextCommand()); getDownloadEngine()->addCommand(getNextCommand());

View file

@ -45,6 +45,7 @@ class SocketCore;
class AbstractProxyResponseCommand : public AbstractCommand { class AbstractProxyResponseCommand : public AbstractCommand {
private: private:
std::shared_ptr<HttpConnection> httpConnection_; std::shared_ptr<HttpConnection> httpConnection_;
protected: protected:
virtual bool executeInternal() CXX11_OVERRIDE; virtual bool executeInternal() CXX11_OVERRIDE;
@ -52,14 +53,12 @@ protected:
{ {
return httpConnection_; return httpConnection_;
} }
public: public:
AbstractProxyResponseCommand AbstractProxyResponseCommand(
(cuid_t cuid, cuid_t cuid, const std::shared_ptr<Request>& req,
const std::shared_ptr<Request>& req, const std::shared_ptr<FileEntry>& fileEntry, RequestGroup* requestGroup,
const std::shared_ptr<FileEntry>& fileEntry, const std::shared_ptr<HttpConnection>& httpConnection, DownloadEngine* e,
RequestGroup* requestGroup,
const std::shared_ptr<HttpConnection>& httpConnection,
DownloadEngine* e,
const std::shared_ptr<SocketCore>& s); const std::shared_ptr<SocketCore>& s);
virtual ~AbstractProxyResponseCommand(); virtual ~AbstractProxyResponseCommand();

View file

@ -41,13 +41,15 @@
#include "WrDiskCacheEntry.h" #include "WrDiskCacheEntry.h"
#include "LogFactory.h" #include "LogFactory.h"
#ifdef HAVE_SOME_FALLOCATE #ifdef HAVE_SOME_FALLOCATE
# include "FallocFileAllocationIterator.h" #include "FallocFileAllocationIterator.h"
#endif // HAVE_SOME_FALLOCATE #endif // HAVE_SOME_FALLOCATE
namespace aria2 { namespace aria2 {
AbstractSingleDiskAdaptor::AbstractSingleDiskAdaptor(): AbstractSingleDiskAdaptor::AbstractSingleDiskAdaptor()
totalLength_(0), readOnly_(false) {} : totalLength_(0), readOnly_(false)
{
}
AbstractSingleDiskAdaptor::~AbstractSingleDiskAdaptor() {} AbstractSingleDiskAdaptor::~AbstractSingleDiskAdaptor() {}
@ -61,34 +63,31 @@ void AbstractSingleDiskAdaptor::openFile()
diskWriter_->openFile(totalLength_); diskWriter_->openFile(totalLength_);
} }
void AbstractSingleDiskAdaptor::closeFile() void AbstractSingleDiskAdaptor::closeFile() { diskWriter_->closeFile(); }
{
diskWriter_->closeFile();
}
void AbstractSingleDiskAdaptor::openExistingFile() void AbstractSingleDiskAdaptor::openExistingFile()
{ {
diskWriter_->openExistingFile(totalLength_); diskWriter_->openExistingFile(totalLength_);
} }
void AbstractSingleDiskAdaptor::writeData void AbstractSingleDiskAdaptor::writeData(const unsigned char* data, size_t len,
(const unsigned char* data, size_t len, int64_t offset) int64_t offset)
{ {
diskWriter_->writeData(data, len, offset); diskWriter_->writeData(data, len, offset);
} }
ssize_t AbstractSingleDiskAdaptor::readData ssize_t AbstractSingleDiskAdaptor::readData(unsigned char* data, size_t len,
(unsigned char* data, size_t len, int64_t offset) int64_t offset)
{ {
return diskWriter_->readData(data, len, offset); return diskWriter_->readData(data, len, offset);
} }
ssize_t AbstractSingleDiskAdaptor::readDataDropCache ssize_t AbstractSingleDiskAdaptor::readDataDropCache(unsigned char* data,
(unsigned char* data, size_t len, int64_t offset) size_t len, int64_t offset)
{ {
auto rv = readData(data, len, offset); auto rv = readData(data, len, offset);
if(rv > 0) { if (rv > 0) {
diskWriter_->dropCache(len, offset); diskWriter_->dropCache(len, offset);
} }
@ -106,31 +105,32 @@ void AbstractSingleDiskAdaptor::writeCache(const WrDiskCacheEntry* entry)
size_t buflen = 0; size_t buflen = 0;
size_t buffoffset = 0; size_t buffoffset = 0;
const WrDiskCacheEntry::DataCellSet& dataSet = entry->getDataSet(); const WrDiskCacheEntry::DataCellSet& dataSet = entry->getDataSet();
for(auto & d : dataSet) { for (auto& d : dataSet) {
if(start+static_cast<ssize_t>(buflen) < d->goff) { if (start + static_cast<ssize_t>(buflen) < d->goff) {
A2_LOG_DEBUG(fmt("Cache flush goff=%" PRId64 ", len=%lu", A2_LOG_DEBUG(fmt("Cache flush goff=%" PRId64 ", len=%lu", start,
start, static_cast<unsigned long>(buflen))); static_cast<unsigned long>(buflen)));
writeData(buf+buffoffset, buflen-buffoffset, start); writeData(buf + buffoffset, buflen - buffoffset, start);
start = d->goff; start = d->goff;
buflen = buffoffset = 0; buflen = buffoffset = 0;
} }
if(buflen == 0 && (d->goff & 0xfff) == 0 && (d->len & 0xfff) == 0) { if (buflen == 0 && (d->goff & 0xfff) == 0 && (d->len & 0xfff) == 0) {
// Already aligned. Write it without copy. // Already aligned. Write it without copy.
A2_LOG_DEBUG(fmt("Cache flush goff=%" PRId64 ", len=%lu", A2_LOG_DEBUG(fmt("Cache flush goff=%" PRId64 ", len=%lu", start,
start, static_cast<unsigned long>(d->len))); static_cast<unsigned long>(d->len)));
writeData(d->data + d->offset, d->len, start); writeData(d->data + d->offset, d->len, start);
start += d->len; start += d->len;
} else { }
if(buflen == 0) { else {
if (buflen == 0) {
buflen = buffoffset = d->goff & 0xfff; buflen = buffoffset = d->goff & 0xfff;
} }
size_t wlen = std::min(sizeof(buf) - buflen, d->len); size_t wlen = std::min(sizeof(buf) - buflen, d->len);
memcpy(buf+buflen, d->data + d->offset, wlen); memcpy(buf + buflen, d->data + d->offset, wlen);
buflen += wlen; buflen += wlen;
if(buflen == sizeof(buf)) { if (buflen == sizeof(buf)) {
A2_LOG_DEBUG(fmt("Cache flush goff=%" PRId64 ", len=%lu", A2_LOG_DEBUG(fmt("Cache flush goff=%" PRId64 ", len=%lu", start,
start, static_cast<unsigned long>(buflen))); static_cast<unsigned long>(buflen)));
writeData(buf+buffoffset, buflen-buffoffset, start); writeData(buf + buffoffset, buflen - buffoffset, start);
memcpy(buf, d->data + d->offset + wlen, d->len - wlen); memcpy(buf, d->data + d->offset + wlen, d->len - wlen);
start += sizeof(buf) - buffoffset; start += sizeof(buf) - buffoffset;
buflen = d->len - wlen; buflen = d->len - wlen;
@ -138,7 +138,7 @@ void AbstractSingleDiskAdaptor::writeCache(const WrDiskCacheEntry* entry)
} }
} }
} }
writeData(buf+buffoffset, buflen-buffoffset, start); writeData(buf + buffoffset, buflen - buffoffset, start);
} }
bool AbstractSingleDiskAdaptor::fileExists() bool AbstractSingleDiskAdaptor::fileExists()
@ -146,10 +146,7 @@ bool AbstractSingleDiskAdaptor::fileExists()
return File(getFilePath()).exists(); return File(getFilePath()).exists();
} }
int64_t AbstractSingleDiskAdaptor::size() int64_t AbstractSingleDiskAdaptor::size() { return File(getFilePath()).size(); }
{
return File(getFilePath()).size();
}
void AbstractSingleDiskAdaptor::truncate(int64_t length) void AbstractSingleDiskAdaptor::truncate(int64_t length)
{ {
@ -159,18 +156,18 @@ void AbstractSingleDiskAdaptor::truncate(int64_t length)
std::unique_ptr<FileAllocationIterator> std::unique_ptr<FileAllocationIterator>
AbstractSingleDiskAdaptor::fileAllocationIterator() AbstractSingleDiskAdaptor::fileAllocationIterator()
{ {
switch(getFileAllocationMethod()) { switch (getFileAllocationMethod()) {
#ifdef HAVE_SOME_FALLOCATE #ifdef HAVE_SOME_FALLOCATE
case(DiskAdaptor::FILE_ALLOC_FALLOC): case (DiskAdaptor::FILE_ALLOC_FALLOC):
return make_unique<FallocFileAllocationIterator> return make_unique<FallocFileAllocationIterator>(diskWriter_.get(), size(),
(diskWriter_.get(), size() ,totalLength_); totalLength_);
#endif // HAVE_SOME_FALLOCATE #endif // HAVE_SOME_FALLOCATE
case(DiskAdaptor::FILE_ALLOC_TRUNC): case (DiskAdaptor::FILE_ALLOC_TRUNC):
return make_unique<TruncFileAllocationIterator> return make_unique<TruncFileAllocationIterator>(diskWriter_.get(), size(),
(diskWriter_.get(), size(), totalLength_); totalLength_);
default: default:
return make_unique<AdaptiveFileAllocationIterator> return make_unique<AdaptiveFileAllocationIterator>(diskWriter_.get(),
(diskWriter_.get(), size(), totalLength_); size(), totalLength_);
} }
} }
@ -186,20 +183,17 @@ void AbstractSingleDiskAdaptor::disableReadOnly()
readOnly_ = false; readOnly_ = false;
} }
void AbstractSingleDiskAdaptor::enableMmap() void AbstractSingleDiskAdaptor::enableMmap() { diskWriter_->enableMmap(); }
{
diskWriter_->enableMmap();
}
void AbstractSingleDiskAdaptor::cutTrailingGarbage() void AbstractSingleDiskAdaptor::cutTrailingGarbage()
{ {
if(File(getFilePath()).size() > totalLength_) { if (File(getFilePath()).size() > totalLength_) {
diskWriter_->truncate(totalLength_); diskWriter_->truncate(totalLength_);
} }
} }
void AbstractSingleDiskAdaptor::setDiskWriter void AbstractSingleDiskAdaptor::setDiskWriter(
(std::unique_ptr<DiskWriter> diskWriter) std::unique_ptr<DiskWriter> diskWriter)
{ {
diskWriter_ = std::move(diskWriter); diskWriter_ = std::move(diskWriter);
} }

View file

@ -47,6 +47,7 @@ private:
std::unique_ptr<DiskWriter> diskWriter_; std::unique_ptr<DiskWriter> diskWriter_;
int64_t totalLength_; int64_t totalLength_;
bool readOnly_; bool readOnly_;
public: public:
AbstractSingleDiskAdaptor(); AbstractSingleDiskAdaptor();
@ -63,12 +64,11 @@ public:
virtual void writeData(const unsigned char* data, size_t len, virtual void writeData(const unsigned char* data, size_t len,
int64_t offset) CXX11_OVERRIDE; int64_t offset) CXX11_OVERRIDE;
virtual ssize_t readData(unsigned char* data, size_t len, int64_t offset) virtual ssize_t readData(unsigned char* data, size_t len,
CXX11_OVERRIDE; int64_t offset) CXX11_OVERRIDE;
virtual ssize_t readDataDropCache(unsigned char* data, size_t len, virtual ssize_t readDataDropCache(unsigned char* data, size_t len,
int64_t offset) int64_t offset) CXX11_OVERRIDE;
CXX11_OVERRIDE;
virtual void writeCache(const WrDiskCacheEntry* entry) CXX11_OVERRIDE; virtual void writeCache(const WrDiskCacheEntry* entry) CXX11_OVERRIDE;
@ -78,8 +78,8 @@ public:
virtual void truncate(int64_t length) CXX11_OVERRIDE; virtual void truncate(int64_t length) CXX11_OVERRIDE;
virtual std::unique_ptr<FileAllocationIterator> fileAllocationIterator() virtual std::unique_ptr<FileAllocationIterator>
CXX11_OVERRIDE; fileAllocationIterator() CXX11_OVERRIDE;
// Make sure that DiskWriter is set before calling this function. // Make sure that DiskWriter is set before calling this function.
virtual void enableReadOnly() CXX11_OVERRIDE; virtual void enableReadOnly() CXX11_OVERRIDE;
@ -104,10 +104,7 @@ public:
void setTotalLength(int64_t totalLength); void setTotalLength(int64_t totalLength);
int64_t getTotalLength() const int64_t getTotalLength() const { return totalLength_; }
{
return totalLength_;
}
}; };
} // namespace aria2 } // namespace aria2

View file

@ -56,10 +56,8 @@
namespace aria2 { namespace aria2 {
ActivePeerConnectionCommand::ActivePeerConnectionCommand ActivePeerConnectionCommand::ActivePeerConnectionCommand(
(cuid_t cuid, cuid_t cuid, RequestGroup* requestGroup, DownloadEngine* e,
RequestGroup* requestGroup,
DownloadEngine* e,
std::chrono::seconds interval) std::chrono::seconds interval)
: Command(cuid), : Command(cuid),
requestGroup_(requestGroup), requestGroup_(requestGroup),
@ -75,49 +73,52 @@ ActivePeerConnectionCommand::~ActivePeerConnectionCommand()
requestGroup_->decreaseNumCommand(); requestGroup_->decreaseNumCommand();
} }
bool ActivePeerConnectionCommand::execute() { bool ActivePeerConnectionCommand::execute()
if(btRuntime_->isHalt()) { {
if (btRuntime_->isHalt()) {
return true; return true;
} }
if(checkPoint_.difference(global::wallclock()) >= interval_) { if (checkPoint_.difference(global::wallclock()) >= interval_) {
checkPoint_ = global::wallclock(); checkPoint_ = global::wallclock();
NetStat& stat = requestGroup_->getDownloadContext()->getNetStat(); NetStat& stat = requestGroup_->getDownloadContext()->getNetStat();
const int maxDownloadLimit = requestGroup_->getMaxDownloadSpeedLimit(); const int maxDownloadLimit = requestGroup_->getMaxDownloadSpeedLimit();
const int maxUploadLimit = requestGroup_->getMaxUploadSpeedLimit(); const int maxUploadLimit = requestGroup_->getMaxUploadSpeedLimit();
int thresholdSpeed; int thresholdSpeed;
if(!bittorrent::getTorrentAttrs if (!bittorrent::getTorrentAttrs(requestGroup_->getDownloadContext())
(requestGroup_->getDownloadContext())->metadata.empty()) { ->metadata.empty()) {
thresholdSpeed = thresholdSpeed = requestGroup_->getOption()->getAsInt(
requestGroup_->getOption()->getAsInt(PREF_BT_REQUEST_PEER_SPEED_LIMIT); PREF_BT_REQUEST_PEER_SPEED_LIMIT);
} else { }
else {
thresholdSpeed = 0; thresholdSpeed = 0;
} }
if(maxDownloadLimit > 0) { if (maxDownloadLimit > 0) {
thresholdSpeed = std::min(maxDownloadLimit, thresholdSpeed); thresholdSpeed = std::min(maxDownloadLimit, thresholdSpeed);
} }
if(// for seeder state if ( // for seeder state
(pieceStorage_->downloadFinished() && btRuntime_->lessThanMaxPeers() && (pieceStorage_->downloadFinished() && btRuntime_->lessThanMaxPeers() &&
(maxUploadLimit == 0 || (maxUploadLimit == 0 ||
stat.calculateUploadSpeed() < maxUploadLimit*0.8)) || stat.calculateUploadSpeed() < maxUploadLimit * 0.8)) ||
// for leecher state // for leecher state
(!pieceStorage_->downloadFinished() && (!pieceStorage_->downloadFinished() &&
(stat.calculateDownloadSpeed() < thresholdSpeed || (stat.calculateDownloadSpeed() < thresholdSpeed ||
btRuntime_->lessThanMinPeers()))) { btRuntime_->lessThanMinPeers()))) {
int numConnection = 0; int numConnection = 0;
if(pieceStorage_->downloadFinished()) { if (pieceStorage_->downloadFinished()) {
if(btRuntime_->getMaxPeers() > btRuntime_->getConnections()) { if (btRuntime_->getMaxPeers() > btRuntime_->getConnections()) {
numConnection = numConnection =
std::min(numNewConnection_, std::min(numNewConnection_, btRuntime_->getMaxPeers() -
btRuntime_->getMaxPeers()-btRuntime_->getConnections()); btRuntime_->getConnections());
} }
} else { }
else {
numConnection = numNewConnection_; numConnection = numNewConnection_;
} }
makeNewConnections(numConnection); makeNewConnections(numConnection);
if(btRuntime_->getConnections() == 0 && if (btRuntime_->getConnections() == 0 &&
!pieceStorage_->downloadFinished()) { !pieceStorage_->downloadFinished()) {
btAnnounce_->overrideMinInterval(BtAnnounce::DEFAULT_ANNOUNCE_INTERVAL); btAnnounce_->overrideMinInterval(BtAnnounce::DEFAULT_ANNOUNCE_INTERVAL);
} }
@ -129,43 +130,43 @@ bool ActivePeerConnectionCommand::execute() {
void ActivePeerConnectionCommand::makeNewConnections(int num) void ActivePeerConnectionCommand::makeNewConnections(int num)
{ {
for(; num && peerStorage_->isPeerAvailable(); --num) { for (; num && peerStorage_->isPeerAvailable(); --num) {
cuid_t ncuid = e_->newCUID(); cuid_t ncuid = e_->newCUID();
std::shared_ptr<Peer> peer = peerStorage_->checkoutPeer(ncuid); std::shared_ptr<Peer> peer = peerStorage_->checkoutPeer(ncuid);
// sanity check // sanity check
if(!peer) { if (!peer) {
break; break;
} }
auto command = make_unique<PeerInitiateConnectionCommand> auto command = make_unique<PeerInitiateConnectionCommand>(
(ncuid, requestGroup_, peer, e_, btRuntime_); ncuid, requestGroup_, peer, e_, btRuntime_);
command->setPeerStorage(peerStorage_); command->setPeerStorage(peerStorage_);
command->setPieceStorage(pieceStorage_); command->setPieceStorage(pieceStorage_);
e_->addCommand(std::move(command)); e_->addCommand(std::move(command));
A2_LOG_INFO(fmt(MSG_CONNECTING_TO_PEER, getCuid(), A2_LOG_INFO(
peer->getIPAddress().c_str())); fmt(MSG_CONNECTING_TO_PEER, getCuid(), peer->getIPAddress().c_str()));
} }
} }
void ActivePeerConnectionCommand::setBtRuntime void ActivePeerConnectionCommand::setBtRuntime(
(const std::shared_ptr<BtRuntime>& btRuntime) const std::shared_ptr<BtRuntime>& btRuntime)
{ {
btRuntime_ = btRuntime; btRuntime_ = btRuntime;
} }
void ActivePeerConnectionCommand::setPieceStorage void ActivePeerConnectionCommand::setPieceStorage(
(const std::shared_ptr<PieceStorage>& pieceStorage) const std::shared_ptr<PieceStorage>& pieceStorage)
{ {
pieceStorage_ = pieceStorage; pieceStorage_ = pieceStorage;
} }
void ActivePeerConnectionCommand::setPeerStorage void ActivePeerConnectionCommand::setPeerStorage(
(const std::shared_ptr<PeerStorage>& peerStorage) const std::shared_ptr<PeerStorage>& peerStorage)
{ {
peerStorage_ = peerStorage; peerStorage_ = peerStorage;
} }
void ActivePeerConnectionCommand::setBtAnnounce void ActivePeerConnectionCommand::setBtAnnounce(
(const std::shared_ptr<BtAnnounce>& btAnnounce) const std::shared_ptr<BtAnnounce>& btAnnounce)
{ {
btAnnounce_ = btAnnounce; btAnnounce_ = btAnnounce;
} }

View file

@ -64,10 +64,8 @@ private:
Timer checkPoint_; Timer checkPoint_;
int numNewConnection_; // the number of the connection to establish. int numNewConnection_; // the number of the connection to establish.
public: public:
ActivePeerConnectionCommand(cuid_t cuid, ActivePeerConnectionCommand(cuid_t cuid, RequestGroup* requestGroup,
RequestGroup* requestGroup, DownloadEngine* e, std::chrono::seconds interval);
DownloadEngine* e,
std::chrono::seconds interval);
virtual ~ActivePeerConnectionCommand(); virtual ~ActivePeerConnectionCommand();

View file

@ -40,68 +40,71 @@
#include "Logger.h" #include "Logger.h"
#include "a2functional.h" #include "a2functional.h"
#ifdef HAVE_FALLOCATE #ifdef HAVE_FALLOCATE
# include "FallocFileAllocationIterator.h" #include "FallocFileAllocationIterator.h"
#endif // HAVE_FALLOCATE #endif // HAVE_FALLOCATE
namespace aria2 { namespace aria2 {
AdaptiveFileAllocationIterator::AdaptiveFileAllocationIterator AdaptiveFileAllocationIterator::AdaptiveFileAllocationIterator(
(BinaryStream* stream, int64_t offset, int64_t totalLength) BinaryStream* stream, int64_t offset, int64_t totalLength)
: stream_(stream), : stream_(stream), offset_(offset), totalLength_(totalLength)
offset_(offset), {
totalLength_(totalLength) }
{}
AdaptiveFileAllocationIterator::~AdaptiveFileAllocationIterator() {} AdaptiveFileAllocationIterator::~AdaptiveFileAllocationIterator() {}
void AdaptiveFileAllocationIterator::allocateChunk() void AdaptiveFileAllocationIterator::allocateChunk()
{ {
if(!allocator_) { if (!allocator_) {
#ifdef HAVE_FALLOCATE #ifdef HAVE_FALLOCATE
try { try {
A2_LOG_DEBUG("Testing file system supports fallocate."); A2_LOG_DEBUG("Testing file system supports fallocate.");
if(offset_ < totalLength_) { if (offset_ < totalLength_) {
int64_t len = int64_t len =
std::min(totalLength_ - offset_, static_cast<int64_t>(4_k)); std::min(totalLength_ - offset_, static_cast<int64_t>(4_k));
stream_->allocate(offset_, len, false); stream_->allocate(offset_, len, false);
offset_ += len; offset_ += len;
} }
A2_LOG_DEBUG("File system supports fallocate."); A2_LOG_DEBUG("File system supports fallocate.");
allocator_ = make_unique<FallocFileAllocationIterator> allocator_ = make_unique<FallocFileAllocationIterator>(stream_, offset_,
(stream_, offset_, totalLength_); totalLength_);
} catch(RecoverableException& e) { }
catch (RecoverableException& e) {
A2_LOG_DEBUG("File system does not support fallocate."); A2_LOG_DEBUG("File system does not support fallocate.");
auto salloc = make_unique<SingleFileAllocationIterator> auto salloc = make_unique<SingleFileAllocationIterator>(stream_, offset_,
(stream_, offset_, totalLength_); totalLength_);
salloc->init(); salloc->init();
allocator_ = std::move(salloc); allocator_ = std::move(salloc);
} }
#else // !HAVE_FALLOCATE #else // !HAVE_FALLOCATE
auto salloc = make_unique<SingleFileAllocationIterator> auto salloc = make_unique<SingleFileAllocationIterator>(stream_, offset_,
(stream_, offset_, totalLength_); totalLength_);
salloc->init(); salloc->init();
allocator_ = std::move(salloc); allocator_ = std::move(salloc);
#endif // !HAVE_FALLOCATE #endif // !HAVE_FALLOCATE
allocator_->allocateChunk(); allocator_->allocateChunk();
} else { }
else {
allocator_->allocateChunk(); allocator_->allocateChunk();
} }
} }
bool AdaptiveFileAllocationIterator::finished() bool AdaptiveFileAllocationIterator::finished()
{ {
if(!allocator_) { if (!allocator_) {
return offset_ == totalLength_; return offset_ == totalLength_;
} else { }
else {
return allocator_->finished(); return allocator_->finished();
} }
} }
int64_t AdaptiveFileAllocationIterator::getCurrentLength() int64_t AdaptiveFileAllocationIterator::getCurrentLength()
{ {
if(!allocator_) { if (!allocator_) {
return offset_; return offset_;
} else { }
else {
return allocator_->getCurrentLength(); return allocator_->getCurrentLength();
} }
} }

View file

@ -43,8 +43,7 @@ namespace aria2 {
class BinaryStream; class BinaryStream;
class AdaptiveFileAllocationIterator:public FileAllocationIterator class AdaptiveFileAllocationIterator : public FileAllocationIterator {
{
private: private:
std::unique_ptr<FileAllocationIterator> allocator_; std::unique_ptr<FileAllocationIterator> allocator_;
@ -53,9 +52,10 @@ private:
int64_t offset_; int64_t offset_;
int64_t totalLength_; int64_t totalLength_;
public: public:
AdaptiveFileAllocationIterator AdaptiveFileAllocationIterator(BinaryStream* stream, int64_t offset,
(BinaryStream* stream, int64_t offset, int64_t totalLength); int64_t totalLength);
virtual ~AdaptiveFileAllocationIterator(); virtual ~AdaptiveFileAllocationIterator();

View file

@ -65,22 +65,21 @@ namespace aria2 {
* be tested again. Otherwise, it doesn't return anymore mirrors. * be tested again. Otherwise, it doesn't return anymore mirrors.
*/ */
AdaptiveURISelector::AdaptiveURISelector AdaptiveURISelector::AdaptiveURISelector(
(std::shared_ptr<ServerStatMan> serverStatMan, RequestGroup* requestGroup) std::shared_ptr<ServerStatMan> serverStatMan, RequestGroup* requestGroup)
: serverStatMan_(std::move(serverStatMan)), : serverStatMan_(std::move(serverStatMan)), requestGroup_(requestGroup)
requestGroup_(requestGroup)
{ {
resetCounters(); resetCounters();
} }
AdaptiveURISelector::~AdaptiveURISelector() {} AdaptiveURISelector::~AdaptiveURISelector() {}
std::string AdaptiveURISelector::select std::string AdaptiveURISelector::select(
(FileEntry* fileEntry, FileEntry* fileEntry,
const std::vector<std::pair<size_t, std::string> >& usedHosts) const std::vector<std::pair<size_t, std::string>>& usedHosts)
{ {
A2_LOG_DEBUG(fmt("AdaptiveURISelector: called %d", A2_LOG_DEBUG(
requestGroup_->getNumConnection())); fmt("AdaptiveURISelector: called %d", requestGroup_->getNumConnection()));
std::deque<std::string>& uris = fileEntry->getRemainingUris(); std::deque<std::string>& uris = fileEntry->getRemainingUris();
if (uris.empty() && requestGroup_->getNumConnection() <= 1) { if (uris.empty() && requestGroup_->getNumConnection() <= 1) {
// here we know the download will fail, trying to find previously // here we know the download will fail, trying to find previously
@ -90,7 +89,7 @@ std::string AdaptiveURISelector::select
std::string selected = selectOne(uris); std::string selected = selectOne(uris);
if(selected != A2STR::NIL) { if (selected != A2STR::NIL) {
uris.erase(std::find(std::begin(uris), std::end(uris), selected)); uris.erase(std::find(std::begin(uris), std::end(uris), selected));
} }
return selected; return selected;
@ -102,8 +101,9 @@ constexpr auto MAX_TIMEOUT = 60_s;
void AdaptiveURISelector::mayRetryWithIncreasedTimeout(FileEntry* fileEntry) void AdaptiveURISelector::mayRetryWithIncreasedTimeout(FileEntry* fileEntry)
{ {
if (requestGroup_->getTimeout()*2 >= MAX_TIMEOUT) return; if (requestGroup_->getTimeout() * 2 >= MAX_TIMEOUT)
requestGroup_->setTimeout(requestGroup_->getTimeout()*2); return;
requestGroup_->setTimeout(requestGroup_->getTimeout() * 2);
std::deque<std::string>& uris = fileEntry->getRemainingUris(); std::deque<std::string>& uris = fileEntry->getRemainingUris();
// looking for retries // looking for retries
@ -112,7 +112,7 @@ void AdaptiveURISelector::mayRetryWithIncreasedTimeout(FileEntry* fileEntry)
std::transform(std::begin(timeouts), std::end(timeouts), std::transform(std::begin(timeouts), std::end(timeouts),
std::back_inserter(uris), std::mem_fn(&URIResult::getURI)); std::back_inserter(uris), std::mem_fn(&URIResult::getURI));
if(A2_LOG_DEBUG_ENABLED) { if (A2_LOG_DEBUG_ENABLED) {
for (const auto& uri : uris) { for (const auto& uri : uris) {
A2_LOG_DEBUG( A2_LOG_DEBUG(
fmt("AdaptiveURISelector: will retry server with increased" fmt("AdaptiveURISelector: will retry server with increased"
@ -126,25 +126,27 @@ void AdaptiveURISelector::mayRetryWithIncreasedTimeout(FileEntry* fileEntry)
std::string AdaptiveURISelector::selectOne(const std::deque<std::string>& uris) std::string AdaptiveURISelector::selectOne(const std::deque<std::string>& uris)
{ {
if(uris.empty()) { if (uris.empty()) {
return A2STR::NIL; return A2STR::NIL;
} else { }
else {
const size_t numPieces = const size_t numPieces =
requestGroup_->getDownloadContext()->getNumPieces(); requestGroup_->getDownloadContext()->getNumPieces();
bool reservedContext = numPieces > 0 && bool reservedContext =
static_cast<size_t>(nbConnections_) > std::min numPieces > 0 &&
(numPieces, static_cast<size_t>(nbConnections_) >
static_cast<size_t>(requestGroup_->getNumConcurrentCommand())); std::min(numPieces, static_cast<size_t>(
requestGroup_->getNumConcurrentCommand()));
bool selectBest = numPieces == 0 || reservedContext; bool selectBest = numPieces == 0 || reservedContext;
if(numPieces > 0) if (numPieces > 0)
++nbConnections_; ++nbConnections_;
/* At least, 3 mirrors must be tested */ /* At least, 3 mirrors must be tested */
if(getNbTestedServers(uris) < 3) { if (getNbTestedServers(uris) < 3) {
std::string notTested = getFirstNotTestedUri(uris); std::string notTested = getFirstNotTestedUri(uris);
if(notTested != A2STR::NIL) { if (notTested != A2STR::NIL) {
A2_LOG_DEBUG(fmt("AdaptiveURISelector: choosing the first non tested" A2_LOG_DEBUG(fmt("AdaptiveURISelector: choosing the first non tested"
" mirror: %s", " mirror: %s",
notTested.c_str())); notTested.c_str()));
@ -153,24 +155,26 @@ std::string AdaptiveURISelector::selectOne(const std::deque<std::string>& uris)
} }
} }
if(!selectBest && nbConnections_ > 1 && nbServerToEvaluate_ > 0) { if (!selectBest && nbConnections_ > 1 && nbServerToEvaluate_ > 0) {
nbServerToEvaluate_--; nbServerToEvaluate_--;
std::string notTested = getFirstNotTestedUri(uris); std::string notTested = getFirstNotTestedUri(uris);
if(notTested != A2STR::NIL) { if (notTested != A2STR::NIL) {
/* Here we return the first untested mirror */ /* Here we return the first untested mirror */
A2_LOG_DEBUG(fmt("AdaptiveURISelector: choosing non tested mirror %s" A2_LOG_DEBUG(fmt("AdaptiveURISelector: choosing non tested mirror %s"
" for connection #%d", " for connection #%d",
notTested.c_str(), nbConnections_)); notTested.c_str(), nbConnections_));
return notTested; return notTested;
} else { }
else {
/* Here we return a mirror which need to be tested again */ /* Here we return a mirror which need to be tested again */
std::string toReTest = getFirstToTestUri(uris); std::string toReTest = getFirstToTestUri(uris);
if(toReTest != A2STR::NIL) { if (toReTest != A2STR::NIL) {
A2_LOG_DEBUG(fmt("AdaptiveURISelector: choosing mirror %s which has" A2_LOG_DEBUG(fmt("AdaptiveURISelector: choosing mirror %s which has"
" not been tested recently for connection #%d", " not been tested recently for connection #%d",
toReTest.c_str(), nbConnections_)); toReTest.c_str(), nbConnections_));
return toReTest; return toReTest;
} else { }
else {
return getBestMirror(uris); return getBestMirror(uris);
} }
} }
@ -181,28 +185,26 @@ std::string AdaptiveURISelector::selectOne(const std::deque<std::string>& uris)
} }
} }
std::string AdaptiveURISelector::getBestMirror std::string
(const std::deque<std::string>& uris) const AdaptiveURISelector::getBestMirror(const std::deque<std::string>& uris) const
{ {
/* Here we return one of the bests mirrors */ /* Here we return one of the bests mirrors */
int max = getMaxDownloadSpeed(uris); int max = getMaxDownloadSpeed(uris);
int min = max-(int)(max*0.25); int min = max - (int)(max * 0.25);
std::deque<std::string> bests = getUrisBySpeed(uris, min); std::deque<std::string> bests = getUrisBySpeed(uris, min);
if (bests.size() < 2) { if (bests.size() < 2) {
std::string uri = getMaxDownloadSpeedUri(uris); std::string uri = getMaxDownloadSpeedUri(uris);
A2_LOG_DEBUG(fmt("AdaptiveURISelector: choosing the best mirror :" A2_LOG_DEBUG(fmt("AdaptiveURISelector: choosing the best mirror :"
" %.2fKB/s %s (other mirrors are at least 25%% slower)", " %.2fKB/s %s (other mirrors are at least 25%% slower)",
(float) max/1024, (float)max / 1024, uri.c_str()));
uri.c_str()));
return uri; return uri;
} else { }
else {
std::string uri = selectRandomUri(bests); std::string uri = selectRandomUri(bests);
A2_LOG_DEBUG(fmt("AdaptiveURISelector: choosing randomly one of the best" A2_LOG_DEBUG(fmt("AdaptiveURISelector: choosing randomly one of the best"
" mirrors (range [%.2fKB/s, %.2fKB/s]): %s", " mirrors (range [%.2fKB/s, %.2fKB/s]): %s",
(float) min/1024, (float)min / 1024, (float)max / 1024, uri.c_str()));
(float) max/1024,
uri.c_str()));
return uri; return uri;
} }
} }
@ -210,36 +212,32 @@ std::string AdaptiveURISelector::getBestMirror
void AdaptiveURISelector::resetCounters() void AdaptiveURISelector::resetCounters()
{ {
nbConnections_ = 1; nbConnections_ = 1;
nbServerToEvaluate_ = nbServerToEvaluate_ = requestGroup_->getOption()->getAsInt(PREF_SPLIT) - 1;
requestGroup_->getOption()->getAsInt(PREF_SPLIT) - 1;
} }
void AdaptiveURISelector::tuneDownloadCommand void AdaptiveURISelector::tuneDownloadCommand(
(const std::deque<std::string>& uris, DownloadCommand* command) const std::deque<std::string>& uris, DownloadCommand* command)
{ {
adjustLowestSpeedLimit(uris, command); adjustLowestSpeedLimit(uris, command);
} }
void AdaptiveURISelector::adjustLowestSpeedLimit void AdaptiveURISelector::adjustLowestSpeedLimit(
(const std::deque<std::string>& uris, DownloadCommand* command) const const std::deque<std::string>& uris, DownloadCommand* command) const
{ {
int lowest = int lowest = requestGroup_->getOption()->getAsInt(PREF_LOWEST_SPEED_LIMIT);
requestGroup_->getOption()->getAsInt(PREF_LOWEST_SPEED_LIMIT);
if (lowest > 0) { if (lowest > 0) {
int low_lowest = 4_k; int low_lowest = 4_k;
int max = getMaxDownloadSpeed(uris); int max = getMaxDownloadSpeed(uris);
if (max > 0 && lowest > max / 4) { if (max > 0 && lowest > max / 4) {
A2_LOG_NOTICE(fmt(_("Lowering lowest-speed-limit since known max speed is" A2_LOG_NOTICE(fmt(_("Lowering lowest-speed-limit since known max speed is"
" too near (new:%d was:%d max:%d)"), " too near (new:%d was:%d max:%d)"),
max / 4, max / 4, lowest, max));
lowest,
max));
command->setLowestDownloadSpeedLimit(max / 4); command->setLowestDownloadSpeedLimit(max / 4);
} else if (max == 0 && lowest > low_lowest) { }
else if (max == 0 && lowest > low_lowest) {
A2_LOG_NOTICE(fmt(_("Lowering lowest-speed-limit since we have no clue" A2_LOG_NOTICE(fmt(_("Lowering lowest-speed-limit since we have no clue"
" about available speed (now:%d was:%d)"), " about available speed (now:%d was:%d)"),
low_lowest, low_lowest, lowest));
lowest));
command->setLowestDownloadSpeedLimit(low_lowest); command->setLowestDownloadSpeedLimit(low_lowest);
} }
} }
@ -253,30 +251,30 @@ int getUriMaxSpeed(std::shared_ptr<ServerStat> ss)
} }
} // namespace } // namespace
int AdaptiveURISelector::getMaxDownloadSpeed int AdaptiveURISelector::getMaxDownloadSpeed(
(const std::deque<std::string>& uris) const const std::deque<std::string>& uris) const
{ {
std::string uri = getMaxDownloadSpeedUri(uris); std::string uri = getMaxDownloadSpeedUri(uris);
if(uri == A2STR::NIL) if (uri == A2STR::NIL)
return 0; return 0;
return getUriMaxSpeed(getServerStats(uri)); return getUriMaxSpeed(getServerStats(uri));
} }
std::string AdaptiveURISelector::getMaxDownloadSpeedUri std::string AdaptiveURISelector::getMaxDownloadSpeedUri(
(const std::deque<std::string>& uris) const const std::deque<std::string>& uris) const
{ {
int max = -1; int max = -1;
std::string uri = A2STR::NIL; std::string uri = A2STR::NIL;
for(auto& u : uris) { for (auto& u : uris) {
std::shared_ptr<ServerStat> ss = getServerStats(u); std::shared_ptr<ServerStat> ss = getServerStats(u);
if(!ss) if (!ss)
continue; continue;
if((int)ss->getSingleConnectionAvgSpeed() > max) { if ((int)ss->getSingleConnectionAvgSpeed() > max) {
max = ss->getSingleConnectionAvgSpeed(); max = ss->getSingleConnectionAvgSpeed();
uri = u; uri = u;
} }
if((int)ss->getMultiConnectionAvgSpeed() > max) { if ((int)ss->getMultiConnectionAvgSpeed() > max) {
max = ss->getMultiConnectionAvgSpeed(); max = ss->getMultiConnectionAvgSpeed();
uri = u; uri = u;
} }
@ -284,15 +282,16 @@ std::string AdaptiveURISelector::getMaxDownloadSpeedUri
return uri; return uri;
} }
std::deque<std::string> AdaptiveURISelector::getUrisBySpeed std::deque<std::string>
(const std::deque<std::string>& uris, int min) const AdaptiveURISelector::getUrisBySpeed(const std::deque<std::string>& uris,
int min) const
{ {
std::deque<std::string> bests; std::deque<std::string> bests;
for(auto& uri : uris) { for (auto& uri : uris) {
std::shared_ptr<ServerStat> ss = getServerStats(uri); std::shared_ptr<ServerStat> ss = getServerStats(uri);
if(!ss) if (!ss)
continue; continue;
if(ss->getSingleConnectionAvgSpeed() > min || if (ss->getSingleConnectionAvgSpeed() > min ||
ss->getMultiConnectionAvgSpeed() > min) { ss->getMultiConnectionAvgSpeed() > min) {
bests.push_back(uri); bests.push_back(uri);
} }
@ -300,68 +299,69 @@ std::deque<std::string> AdaptiveURISelector::getUrisBySpeed
return bests; return bests;
} }
std::string AdaptiveURISelector::selectRandomUri std::string
(const std::deque<std::string>& uris) const AdaptiveURISelector::selectRandomUri(const std::deque<std::string>& uris) const
{ {
int pos = SimpleRandomizer::getInstance()->getRandomNumber(uris.size()); int pos = SimpleRandomizer::getInstance()->getRandomNumber(uris.size());
auto i = std::begin(uris); auto i = std::begin(uris);
i = i+pos; i = i + pos;
return *i; return *i;
} }
std::string AdaptiveURISelector::getFirstNotTestedUri std::string AdaptiveURISelector::getFirstNotTestedUri(
(const std::deque<std::string>& uris) const const std::deque<std::string>& uris) const
{ {
for (const auto& i : uris) { for (const auto& i : uris) {
std::shared_ptr<ServerStat> ss = getServerStats(i); std::shared_ptr<ServerStat> ss = getServerStats(i);
if(!ss) if (!ss)
return i; return i;
} }
return A2STR::NIL; return A2STR::NIL;
} }
std::string AdaptiveURISelector::getFirstToTestUri std::string AdaptiveURISelector::getFirstToTestUri(
(const std::deque<std::string>& uris) const const std::deque<std::string>& uris) const
{ {
int counter; int counter;
int power; int power;
for (const auto& u : uris) { for (const auto& u : uris) {
std::shared_ptr<ServerStat> ss = getServerStats(u); std::shared_ptr<ServerStat> ss = getServerStats(u);
if(!ss) if (!ss)
continue; continue;
counter = ss->getCounter(); counter = ss->getCounter();
if(counter > 8) if (counter > 8)
continue; continue;
power = (int)pow(2.0, (float)counter); power = (int)pow(2.0, (float)counter);
/* We test the mirror another time if it has not been /* We test the mirror another time if it has not been
* tested since 2^counter days */ * tested since 2^counter days */
if(ss->getLastUpdated().difference() > std::chrono::hours(power * 24)) { if (ss->getLastUpdated().difference() > std::chrono::hours(power * 24)) {
return u; return u;
} }
} }
return A2STR::NIL; return A2STR::NIL;
} }
std::shared_ptr<ServerStat> AdaptiveURISelector::getServerStats std::shared_ptr<ServerStat>
(const std::string& uri) const AdaptiveURISelector::getServerStats(const std::string& uri) const
{ {
uri_split_result us; uri_split_result us;
if(uri_split(&us, uri.c_str()) == 0) { if (uri_split(&us, uri.c_str()) == 0) {
std::string host = uri::getFieldString(us, USR_HOST, uri.c_str()); std::string host = uri::getFieldString(us, USR_HOST, uri.c_str());
std::string protocol = uri::getFieldString(us, USR_SCHEME, uri.c_str()); std::string protocol = uri::getFieldString(us, USR_SCHEME, uri.c_str());
return serverStatMan_->find(host, protocol); return serverStatMan_->find(host, protocol);
} else { }
else {
return nullptr; return nullptr;
} }
} }
int AdaptiveURISelector::getNbTestedServers int AdaptiveURISelector::getNbTestedServers(
(const std::deque<std::string>& uris) const const std::deque<std::string>& uris) const
{ {
int counter = 0; int counter = 0;
for(const auto& u : uris) { for (const auto& u : uris) {
std::shared_ptr<ServerStat> ss = getServerStats(u); std::shared_ptr<ServerStat> ss = getServerStats(u);
if(!ss) if (!ss)
++counter; ++counter;
} }
return uris.size() - counter; return uris.size() - counter;

View file

@ -46,7 +46,7 @@ class ServerStatMan;
class RequestGroup; class RequestGroup;
class ServerStat; class ServerStat;
class AdaptiveURISelector:public URISelector { class AdaptiveURISelector : public URISelector {
private: private:
std::shared_ptr<ServerStatMan> serverStatMan_; std::shared_ptr<ServerStatMan> serverStatMan_;
// No need to delete requestGroup_ // No need to delete requestGroup_
@ -69,20 +69,20 @@ private:
std::shared_ptr<ServerStat> getServerStats(const std::string& uri) const; std::shared_ptr<ServerStat> getServerStats(const std::string& uri) const;
int getNbTestedServers(const std::deque<std::string>& uris) const; int getNbTestedServers(const std::deque<std::string>& uris) const;
std::string getBestMirror(const std::deque<std::string>& uris) const; std::string getBestMirror(const std::deque<std::string>& uris) const;
public: public:
AdaptiveURISelector(std::shared_ptr<ServerStatMan> serverStatMan, AdaptiveURISelector(std::shared_ptr<ServerStatMan> serverStatMan,
RequestGroup* requestGroup); RequestGroup* requestGroup);
virtual ~AdaptiveURISelector(); virtual ~AdaptiveURISelector();
virtual std::string select virtual std::string
(FileEntry* fileEntry, select(FileEntry* fileEntry,
const std::vector<std::pair<size_t, std::string> >& usedHosts) const std::vector<std::pair<size_t, std::string>>& usedHosts)
CXX11_OVERRIDE; CXX11_OVERRIDE;
virtual void tuneDownloadCommand(const std::deque<std::string>& uris, virtual void tuneDownloadCommand(const std::deque<std::string>& uris,
DownloadCommand* command) DownloadCommand* command) CXX11_OVERRIDE;
CXX11_OVERRIDE;
virtual void resetCounters() CXX11_OVERRIDE; virtual void resetCounters() CXX11_OVERRIDE;
}; };

View file

@ -44,22 +44,17 @@ namespace aria2 {
Adler32MessageDigestImpl::Adler32MessageDigestImpl() Adler32MessageDigestImpl::Adler32MessageDigestImpl()
: adler_(adler32(0, Z_NULL, 0)) : adler_(adler32(0, Z_NULL, 0))
{}
size_t Adler32MessageDigestImpl::getDigestLength() const
{ {
return length();
} }
void Adler32MessageDigestImpl::reset() size_t Adler32MessageDigestImpl::getDigestLength() const { return length(); }
{
adler_ = adler32(0, Z_NULL, 0); void Adler32MessageDigestImpl::reset() { adler_ = adler32(0, Z_NULL, 0); }
}
void Adler32MessageDigestImpl::update(const void* data, size_t length) void Adler32MessageDigestImpl::update(const void* data, size_t length)
{ {
adler_ = adler32(adler_, reinterpret_cast<const unsigned char*>(data), adler_ =
length); adler32(adler_, reinterpret_cast<const unsigned char*>(data), length);
} }
void Adler32MessageDigestImpl::digest(unsigned char* md) void Adler32MessageDigestImpl::digest(unsigned char* md)
@ -68,9 +63,6 @@ void Adler32MessageDigestImpl::digest(unsigned char* md)
memcpy(md, &adler, getDigestLength()); memcpy(md, &adler, getDigestLength());
} }
size_t Adler32MessageDigestImpl::length() size_t Adler32MessageDigestImpl::length() { return 4; }
{
return 4;
}
} // namespace aria2 } // namespace aria2

View file

@ -42,7 +42,10 @@ namespace aria2 {
#ifdef HAVE_ZLIB #ifdef HAVE_ZLIB
#define ADLER32_MESSAGE_DIGEST \ #define ADLER32_MESSAGE_DIGEST \
{ "adler32", make_hi<Adler32MessageDigestImpl>() }, { \
"adler32", make_hi<Adler32MessageDigestImpl>() \
} \
,
class Adler32MessageDigestImpl : public MessageDigestImpl { class Adler32MessageDigestImpl : public MessageDigestImpl {
public: public:
@ -52,6 +55,7 @@ public:
virtual void update(const void* data, size_t length) CXX11_OVERRIDE; virtual void update(const void* data, size_t length) CXX11_OVERRIDE;
virtual void digest(unsigned char* md) CXX11_OVERRIDE; virtual void digest(unsigned char* md) CXX11_OVERRIDE;
static size_t length(); static size_t length();
private: private:
unsigned long adler_; unsigned long adler_;
}; };

View file

@ -42,64 +42,71 @@
namespace aria2 { namespace aria2 {
AnnounceList::AnnounceList():currentTrackerInitialized_(false) {} AnnounceList::AnnounceList() : currentTrackerInitialized_(false) {}
AnnounceList::AnnounceList AnnounceList::AnnounceList(
(const std::vector<std::vector<std::string>>& announceList): const std::vector<std::vector<std::string>>& announceList)
currentTrackerInitialized_(false) { : currentTrackerInitialized_(false)
{
reconfigure(announceList); reconfigure(announceList);
} }
AnnounceList::AnnounceList AnnounceList::AnnounceList(
(const std::deque<std::shared_ptr<AnnounceTier>>& announceTiers): const std::deque<std::shared_ptr<AnnounceTier>>& announceTiers)
tiers_(announceTiers), currentTrackerInitialized_(false) { : tiers_(announceTiers), currentTrackerInitialized_(false)
{
resetIterator(); resetIterator();
} }
AnnounceList::~AnnounceList() {} AnnounceList::~AnnounceList() {}
void AnnounceList::reconfigure void AnnounceList::reconfigure(
(const std::vector<std::vector<std::string>>& announceList) const std::vector<std::vector<std::string>>& announceList)
{ {
for (const auto& vec: announceList) { for (const auto& vec : announceList) {
if(vec.empty()) { if (vec.empty()) {
continue; continue;
} }
std::deque<std::string> uris(std::begin(vec), std::end(vec)); std::deque<std::string> uris(std::begin(vec), std::end(vec));
auto tier = auto tier = std::make_shared<AnnounceTier>(std::move(uris));
std::make_shared<AnnounceTier>(std::move(uris));
tiers_.push_back(std::move(tier)); tiers_.push_back(std::move(tier));
} }
resetIterator(); resetIterator();
} }
void AnnounceList::reconfigure(const std::string& url) { void AnnounceList::reconfigure(const std::string& url)
std::deque<std::string> urls{ url }; {
std::deque<std::string> urls{url};
tiers_.push_back(std::make_shared<AnnounceTier>(std::move(urls))); tiers_.push_back(std::make_shared<AnnounceTier>(std::move(urls)));
resetIterator(); resetIterator();
} }
void AnnounceList::resetIterator() { void AnnounceList::resetIterator()
{
currentTier_ = std::begin(tiers_); currentTier_ = std::begin(tiers_);
if(currentTier_ != std::end(tiers_) && (*currentTier_)->urls.size()) { if (currentTier_ != std::end(tiers_) && (*currentTier_)->urls.size()) {
currentTracker_ = std::begin((*currentTier_)->urls); currentTracker_ = std::begin((*currentTier_)->urls);
currentTrackerInitialized_ = true; currentTrackerInitialized_ = true;
} else { }
else {
currentTrackerInitialized_ = false; currentTrackerInitialized_ = false;
} }
} }
std::string AnnounceList::getAnnounce() const { std::string AnnounceList::getAnnounce() const
if(currentTrackerInitialized_) { {
if (currentTrackerInitialized_) {
return *currentTracker_; return *currentTracker_;
} else { }
else {
return A2STR::NIL; return A2STR::NIL;
} }
} }
void AnnounceList::announceSuccess() { void AnnounceList::announceSuccess()
if(currentTrackerInitialized_) { {
if (currentTrackerInitialized_) {
(*currentTier_)->nextEvent(); (*currentTier_)->nextEvent();
auto url = *currentTracker_; auto url = *currentTracker_;
(*currentTier_)->urls.erase(currentTracker_); (*currentTier_)->urls.erase(currentTracker_);
@ -109,39 +116,45 @@ void AnnounceList::announceSuccess() {
} }
} }
void AnnounceList::announceFailure() { void AnnounceList::announceFailure()
if(currentTrackerInitialized_) { {
if (currentTrackerInitialized_) {
++currentTracker_; ++currentTracker_;
if(currentTracker_ == std::end((*currentTier_)->urls)) { if (currentTracker_ == std::end((*currentTier_)->urls)) {
// force next event // force next event
(*currentTier_)->nextEventIfAfterStarted(); (*currentTier_)->nextEventIfAfterStarted();
++currentTier_; ++currentTier_;
if(currentTier_ == std::end(tiers_)) { if (currentTier_ == std::end(tiers_)) {
currentTrackerInitialized_ = false; currentTrackerInitialized_ = false;
} else { }
else {
currentTracker_ = std::begin((*currentTier_)->urls); currentTracker_ = std::begin((*currentTier_)->urls);
} }
} }
} }
} }
AnnounceTier::AnnounceEvent AnnounceList::getEvent() const { AnnounceTier::AnnounceEvent AnnounceList::getEvent() const
if(currentTrackerInitialized_) { {
if (currentTrackerInitialized_) {
return (*currentTier_)->event; return (*currentTier_)->event;
} else { }
else {
return AnnounceTier::STARTED; return AnnounceTier::STARTED;
} }
} }
void AnnounceList::setEvent(AnnounceTier::AnnounceEvent event) { void AnnounceList::setEvent(AnnounceTier::AnnounceEvent event)
if(currentTrackerInitialized_) { {
if (currentTrackerInitialized_) {
(*currentTier_)->event = event; (*currentTier_)->event = event;
} }
} }
const char* AnnounceList::getEventString() const { const char* AnnounceList::getEventString() const
if(currentTrackerInitialized_) { {
switch((*currentTier_)->event) { if (currentTrackerInitialized_) {
switch ((*currentTier_)->event) {
case AnnounceTier::STARTED: case AnnounceTier::STARTED:
case AnnounceTier::STARTED_AFTER_COMPLETION: case AnnounceTier::STARTED_AFTER_COMPLETION:
return "started"; return "started";
@ -152,7 +165,8 @@ const char* AnnounceList::getEventString() const {
default: default:
return ""; return "";
} }
} else { }
else {
return ""; return "";
} }
} }
@ -160,8 +174,9 @@ const char* AnnounceList::getEventString() const {
namespace { namespace {
class FindStoppedAllowedTier { class FindStoppedAllowedTier {
public: public:
bool operator()(const std::shared_ptr<AnnounceTier>& tier) const { bool operator()(const std::shared_ptr<AnnounceTier>& tier) const
switch(tier->event) { {
switch (tier->event) {
case AnnounceTier::DOWNLOADING: case AnnounceTier::DOWNLOADING:
case AnnounceTier::STOPPED: case AnnounceTier::STOPPED:
case AnnounceTier::COMPLETED: case AnnounceTier::COMPLETED:
@ -177,8 +192,9 @@ public:
namespace { namespace {
class FindCompletedAllowedTier { class FindCompletedAllowedTier {
public: public:
bool operator()(const std::shared_ptr<AnnounceTier>& tier) const { bool operator()(const std::shared_ptr<AnnounceTier>& tier) const
switch(tier->event) { {
switch (tier->event) {
case AnnounceTier::DOWNLOADING: case AnnounceTier::DOWNLOADING:
case AnnounceTier::COMPLETED: case AnnounceTier::COMPLETED:
return true; return true;
@ -189,38 +205,44 @@ public:
}; };
} // namespace } // namespace
size_t AnnounceList::countStoppedAllowedTier() const { size_t AnnounceList::countStoppedAllowedTier() const
{
return count_if(std::begin(tiers_), std::end(tiers_), return count_if(std::begin(tiers_), std::end(tiers_),
FindStoppedAllowedTier()); FindStoppedAllowedTier());
} }
size_t AnnounceList::countCompletedAllowedTier() const { size_t AnnounceList::countCompletedAllowedTier() const
{
return count_if(std::begin(tiers_), std::end(tiers_), return count_if(std::begin(tiers_), std::end(tiers_),
FindCompletedAllowedTier()); FindCompletedAllowedTier());
} }
void AnnounceList::setCurrentTier void AnnounceList::setCurrentTier(
(std::deque<std::shared_ptr<AnnounceTier>>::iterator itr) { std::deque<std::shared_ptr<AnnounceTier>>::iterator itr)
if(itr != std::end(tiers_)) { {
if (itr != std::end(tiers_)) {
currentTier_ = std::move(itr); currentTier_ = std::move(itr);
currentTracker_ = std::begin((*currentTier_)->urls); currentTracker_ = std::begin((*currentTier_)->urls);
} }
} }
void AnnounceList::moveToStoppedAllowedTier() { void AnnounceList::moveToStoppedAllowedTier()
{
auto itr = find_wrap_if(std::begin(tiers_), std::end(tiers_), currentTier_, auto itr = find_wrap_if(std::begin(tiers_), std::end(tiers_), currentTier_,
FindStoppedAllowedTier()); FindStoppedAllowedTier());
setCurrentTier(std::move(itr)); setCurrentTier(std::move(itr));
} }
void AnnounceList::moveToCompletedAllowedTier() { void AnnounceList::moveToCompletedAllowedTier()
{
auto itr = find_wrap_if(std::begin(tiers_), std::end(tiers_), currentTier_, auto itr = find_wrap_if(std::begin(tiers_), std::end(tiers_), currentTier_,
FindCompletedAllowedTier()); FindCompletedAllowedTier());
setCurrentTier(std::move(itr)); setCurrentTier(std::move(itr));
} }
void AnnounceList::shuffle() { void AnnounceList::shuffle()
for (const auto& tier: tiers_) { {
for (const auto& tier : tiers_) {
auto& urls = tier->urls; auto& urls = tier->urls;
std::shuffle(std::begin(urls), std::end(urls), std::shuffle(std::begin(urls), std::end(urls),
*SimpleRandomizer::getInstance()); *SimpleRandomizer::getInstance());
@ -232,14 +254,11 @@ bool AnnounceList::allTiersFailed() const
return currentTier_ == std::end(tiers_); return currentTier_ == std::end(tiers_);
} }
void AnnounceList::resetTier() void AnnounceList::resetTier() { resetIterator(); }
{
resetIterator();
}
bool AnnounceList::currentTierAcceptsStoppedEvent() const bool AnnounceList::currentTierAcceptsStoppedEvent() const
{ {
if(currentTrackerInitialized_) { if (currentTrackerInitialized_) {
return FindStoppedAllowedTier()(*currentTier_); return FindStoppedAllowedTier()(*currentTier_);
} }
@ -248,16 +267,13 @@ bool AnnounceList::currentTierAcceptsStoppedEvent() const
bool AnnounceList::currentTierAcceptsCompletedEvent() const bool AnnounceList::currentTierAcceptsCompletedEvent() const
{ {
if(currentTrackerInitialized_) { if (currentTrackerInitialized_) {
return FindCompletedAllowedTier()(*currentTier_); return FindCompletedAllowedTier()(*currentTier_);
} }
return false; return false;
} }
size_t AnnounceList::countTier() const size_t AnnounceList::countTier() const { return tiers_.size(); }
{
return tiers_.size();
}
} // namespace aria2 } // namespace aria2

View file

@ -56,8 +56,8 @@ private:
bool currentTrackerInitialized_; bool currentTrackerInitialized_;
void resetIterator(); void resetIterator();
void setCurrentTier void setCurrentTier(std::deque<std::shared_ptr<AnnounceTier>>::iterator itr);
(std::deque<std::shared_ptr<AnnounceTier>>::iterator itr);
public: public:
AnnounceList(); AnnounceList();
AnnounceList(const std::vector<std::vector<std::string>>& announceList); AnnounceList(const std::vector<std::vector<std::string>>& announceList);

View file

@ -38,13 +38,14 @@ namespace aria2 {
AnnounceTier::AnnounceTier(std::deque<std::string> urls) AnnounceTier::AnnounceTier(std::deque<std::string> urls)
: event(STARTED), urls(std::move(urls)) : event(STARTED), urls(std::move(urls))
{} {
}
AnnounceTier::~AnnounceTier() {} AnnounceTier::~AnnounceTier() {}
void AnnounceTier::nextEvent() void AnnounceTier::nextEvent()
{ {
switch(event) { switch (event) {
case STARTED: case STARTED:
event = DOWNLOADING; event = DOWNLOADING;
break; break;
@ -64,7 +65,7 @@ void AnnounceTier::nextEvent()
void AnnounceTier::nextEventIfAfterStarted() void AnnounceTier::nextEventIfAfterStarted()
{ {
switch(event) { switch (event) {
case STOPPED: case STOPPED:
event = HALTED; event = HALTED;
break; break;

View file

@ -42,14 +42,14 @@ namespace aria2 {
// DiskwriterFactory class template to create DiskWriter derived // DiskwriterFactory class template to create DiskWriter derived
// object, ignoring filename. // object, ignoring filename.
template<class DiskWriterType> template <class DiskWriterType>
class AnonDiskWriterFactory:public DiskWriterFactory { class AnonDiskWriterFactory : public DiskWriterFactory {
public: public:
AnonDiskWriterFactory() {} AnonDiskWriterFactory() {}
virtual ~AnonDiskWriterFactory() {} virtual ~AnonDiskWriterFactory() {}
virtual std::unique_ptr<DiskWriter> newDiskWriter(const std::string& filename) virtual std::unique_ptr<DiskWriter>
CXX11_OVERRIDE newDiskWriter(const std::string& filename) CXX11_OVERRIDE
{ {
return make_unique<DiskWriterType>(); return make_unique<DiskWriterType>();
} }

View file

@ -37,19 +37,16 @@
namespace aria2 { namespace aria2 {
ApiCallbackDownloadEventListener::ApiCallbackDownloadEventListener ApiCallbackDownloadEventListener::ApiCallbackDownloadEventListener(
(Session* session, Session* session, DownloadEventCallback callback, void* userData)
DownloadEventCallback callback, : session_(session), callback_(callback), userData_(userData)
void* userData) {
: session_(session), }
callback_(callback),
userData_(userData)
{}
ApiCallbackDownloadEventListener::~ApiCallbackDownloadEventListener() {} ApiCallbackDownloadEventListener::~ApiCallbackDownloadEventListener() {}
void ApiCallbackDownloadEventListener::onEvent void ApiCallbackDownloadEventListener::onEvent(DownloadEvent event,
(DownloadEvent event, const RequestGroup* group) const RequestGroup* group)
{ {
callback_(session_, event, group->getGID(), userData_); callback_(session_, event, group->getGID(), userData_);
} }

View file

@ -45,8 +45,9 @@ public:
DownloadEventCallback callback, DownloadEventCallback callback,
void* userData); void* userData);
virtual ~ApiCallbackDownloadEventListener(); virtual ~ApiCallbackDownloadEventListener();
virtual void onEvent(DownloadEvent event, const RequestGroup* group) virtual void onEvent(DownloadEvent event,
CXX11_OVERRIDE; const RequestGroup* group) CXX11_OVERRIDE;
private: private:
Session* session_; Session* session_;
DownloadEventCallback callback_; DownloadEventCallback callback_;

View file

@ -42,77 +42,50 @@
namespace aria2 { namespace aria2 {
namespace { namespace {
template<size_t dlen, template <size_t dlen, typename ctx_t, int (*init_fn)(ctx_t*),
typename ctx_t,
int (*init_fn)(ctx_t*),
int (*update_fn)(ctx_t*, const void*, CC_LONG), int (*update_fn)(ctx_t*, const void*, CC_LONG),
int(*final_fn)(unsigned char*, ctx_t*)> int (*final_fn)(unsigned char*, ctx_t*)>
class MessageDigestBase : public MessageDigestImpl { class MessageDigestBase : public MessageDigestImpl {
public: public:
MessageDigestBase() { reset(); } MessageDigestBase() { reset(); }
virtual ~MessageDigestBase() {} virtual ~MessageDigestBase() {}
static size_t length() { static size_t length() { return dlen; }
return dlen; virtual size_t getDigestLength() const CXX11_OVERRIDE { return dlen; }
} virtual void reset() CXX11_OVERRIDE { init_fn(&ctx_); }
virtual size_t getDigestLength() const CXX11_OVERRIDE { virtual void update(const void* data, size_t length) CXX11_OVERRIDE
return dlen; {
}
virtual void reset() CXX11_OVERRIDE {
init_fn(&ctx_);
}
virtual void update(const void* data, size_t length) CXX11_OVERRIDE {
auto bytes = reinterpret_cast<const char*>(data); auto bytes = reinterpret_cast<const char*>(data);
while (length) { while (length) {
CC_LONG l = std::min(length, (size_t)std::numeric_limits<uint32_t>::max()); CC_LONG l =
std::min(length, (size_t)std::numeric_limits<uint32_t>::max());
update_fn(&ctx_, bytes, l); update_fn(&ctx_, bytes, l);
length -= l; length -= l;
bytes += l; bytes += l;
} }
} }
virtual void digest(unsigned char* md) CXX11_OVERRIDE { virtual void digest(unsigned char* md) CXX11_OVERRIDE { final_fn(md, &ctx_); }
final_fn(md, &ctx_);
}
private: private:
ctx_t ctx_; ctx_t ctx_;
}; };
typedef MessageDigestBase<CC_MD5_DIGEST_LENGTH, typedef MessageDigestBase<CC_MD5_DIGEST_LENGTH, CC_MD5_CTX, CC_MD5_Init,
CC_MD5_CTX, CC_MD5_Update, CC_MD5_Final> MessageDigestMD5;
CC_MD5_Init, typedef MessageDigestBase<CC_SHA1_DIGEST_LENGTH, CC_SHA1_CTX, CC_SHA1_Init,
CC_MD5_Update, CC_SHA1_Update, CC_SHA1_Final> MessageDigestSHA1;
CC_MD5_Final> typedef MessageDigestBase<CC_SHA224_DIGEST_LENGTH, CC_SHA256_CTX,
MessageDigestMD5; CC_SHA224_Init, CC_SHA224_Update,
typedef MessageDigestBase<CC_SHA1_DIGEST_LENGTH, CC_SHA224_Final> MessageDigestSHA224;
CC_SHA1_CTX, typedef MessageDigestBase<CC_SHA256_DIGEST_LENGTH, CC_SHA256_CTX,
CC_SHA1_Init, CC_SHA256_Init, CC_SHA256_Update,
CC_SHA1_Update, CC_SHA256_Final> MessageDigestSHA256;
CC_SHA1_Final> typedef MessageDigestBase<CC_SHA384_DIGEST_LENGTH, CC_SHA512_CTX,
MessageDigestSHA1; CC_SHA384_Init, CC_SHA384_Update,
typedef MessageDigestBase<CC_SHA224_DIGEST_LENGTH, CC_SHA384_Final> MessageDigestSHA384;
CC_SHA256_CTX, typedef MessageDigestBase<CC_SHA512_DIGEST_LENGTH, CC_SHA512_CTX,
CC_SHA224_Init, CC_SHA512_Init, CC_SHA512_Update,
CC_SHA224_Update, CC_SHA512_Final> MessageDigestSHA512;
CC_SHA224_Final>
MessageDigestSHA224;
typedef MessageDigestBase<CC_SHA256_DIGEST_LENGTH,
CC_SHA256_CTX,
CC_SHA256_Init,
CC_SHA256_Update,
CC_SHA256_Final>
MessageDigestSHA256;
typedef MessageDigestBase<CC_SHA384_DIGEST_LENGTH,
CC_SHA512_CTX,
CC_SHA384_Init,
CC_SHA384_Update,
CC_SHA384_Final>
MessageDigestSHA384;
typedef MessageDigestBase<CC_SHA512_DIGEST_LENGTH,
CC_SHA512_CTX,
CC_SHA512_Init,
CC_SHA512_Update,
CC_SHA512_Final>
MessageDigestSHA512;
} // namespace } // namespace
@ -122,13 +95,12 @@ std::unique_ptr<MessageDigestImpl> MessageDigestImpl::sha1()
} }
MessageDigestImpl::hashes_t MessageDigestImpl::hashes = { MessageDigestImpl::hashes_t MessageDigestImpl::hashes = {
{ "sha-1", make_hi<MessageDigestSHA1>() }, {"sha-1", make_hi<MessageDigestSHA1>()},
{ "sha-224", make_hi<MessageDigestSHA224>() }, {"sha-224", make_hi<MessageDigestSHA224>()},
{ "sha-256", make_hi<MessageDigestSHA256>() }, {"sha-256", make_hi<MessageDigestSHA256>()},
{ "sha-384", make_hi<MessageDigestSHA384>() }, {"sha-384", make_hi<MessageDigestSHA384>()},
{ "sha-512", make_hi<MessageDigestSHA512>() }, {"sha-512", make_hi<MessageDigestSHA512>()},
{ "md5", make_hi<MessageDigestMD5>() }, {"md5", make_hi<MessageDigestMD5>()},
ADLER32_MESSAGE_DIGEST ADLER32_MESSAGE_DIGEST};
};
} // namespace aria2 } // namespace aria2

View file

@ -56,17 +56,11 @@ using namespace aria2;
#if defined(__MAC_10_6) #if defined(__MAC_10_6)
#if defined(__MAC_10_7) #if defined(__MAC_10_7)
static const void* query_keys[] = { static const void* query_keys[] = {kSecClass, kSecReturnRef, kSecMatchPolicy,
kSecClass, kSecMatchLimit};
kSecReturnRef,
kSecMatchPolicy,
kSecMatchLimit
};
#endif // defined(__MAC_10_7) #endif // defined(__MAC_10_7)
template <typename T> template <typename T> class CFRef {
class CFRef
{
T ref_; T ref_;
public: public:
@ -74,10 +68,7 @@ public:
CFRef(T ref) : ref_(ref) {} CFRef(T ref) : ref_(ref) {}
~CFRef() ~CFRef() { reset(nullptr); }
{
reset(nullptr);
}
void reset(T ref) void reset(T ref)
{ {
@ -87,20 +78,11 @@ public:
ref_ = ref; ref_ = ref;
} }
T get() T get() { return ref_; }
{
return ref_;
}
const T get() const const T get() const { return ref_; }
{
return ref_;
}
operator bool() const operator bool() const { return !!ref_; }
{
return !!ref_;
}
}; };
static inline bool isWhitespace(char c) static inline bool isWhitespace(char c)
@ -116,8 +98,7 @@ static inline std::string stripWhitespace(std::string str)
return str; return str;
} }
struct hash_validator struct hash_validator {
{
const std::string& hash_; const std::string& hash_;
hash_validator(const std::string& hash) : hash_(hash) {} hash_validator(const std::string& hash) : hash_(hash) {}
@ -128,14 +109,14 @@ struct hash_validator
} }
}; };
struct hash_finder struct hash_finder {
{
CFDataRef data_; CFDataRef data_;
const std::string& hash_; const std::string& hash_;
hash_finder(CFDataRef data, const std::string& hash) hash_finder(CFDataRef data, const std::string& hash)
: data_(data), hash_(hash) : data_(data), hash_(hash)
{} {
}
inline bool operator()(std::string type) const inline bool operator()(std::string type) const
{ {
@ -163,8 +144,7 @@ std::string errToString(OSStatus err)
return rv; return rv;
} }
bool checkIdentity(const SecIdentityRef id, bool checkIdentity(const SecIdentityRef id, const std::string& fingerPrint,
const std::string& fingerPrint,
const std::vector<std::string> supported) const std::vector<std::string> supported)
{ {
CFRef<SecCertificateRef> ref; CFRef<SecCertificateRef> ref;
@ -235,10 +215,7 @@ bool AppleTLSContext::addTrustedCACertFile(const std::string& certfile)
return false; return false;
} }
SecIdentityRef AppleTLSContext::getCredentials() SecIdentityRef AppleTLSContext::getCredentials() { return credentials_; }
{
return credentials_;
}
bool AppleTLSContext::tryAsFingerprint(const std::string& fingerprint) bool AppleTLSContext::tryAsFingerprint(const std::string& fingerprint)
{ {
@ -264,12 +241,8 @@ bool AppleTLSContext::tryAsFingerprint(const std::string& fingerprint)
A2_LOG_ERROR("Failed to create SecPolicy"); A2_LOG_ERROR("Failed to create SecPolicy");
return false; return false;
} }
const void* query_values[] = { const void* query_values[] = {kSecClassIdentity, kCFBooleanTrue, policy.get(),
kSecClassIdentity, kSecMatchLimitAll};
kCFBooleanTrue,
policy.get(),
kSecMatchLimitAll
};
CFRef<CFDictionaryRef> query(CFDictionaryCreate( CFRef<CFDictionaryRef> query(CFDictionaryCreate(
nullptr, query_keys, query_values, 4, nullptr, nullptr)); nullptr, query_keys, query_values, 4, nullptr, nullptr));
if (!query) { if (!query) {
@ -372,18 +345,12 @@ bool AppleTLSContext::tryAsPKCS12(CFDataRef data, const char* password)
#if defined(__MAC_10_6) #if defined(__MAC_10_6)
CFRef<CFStringRef> passwordRef; CFRef<CFStringRef> passwordRef;
if (password) { if (password) {
passwordRef.reset(CFStringCreateWithBytes(nullptr, passwordRef.reset(CFStringCreateWithBytes(nullptr, (const UInt8*)password,
(const UInt8*)password,
strlen(password), strlen(password),
kCFStringEncodingUTF8, kCFStringEncodingUTF8, false));
false));
} }
const void* keys[] = { const void* keys[] = {kSecImportExportPassphrase};
kSecImportExportPassphrase const void* values[] = {passwordRef.get()};
};
const void* values[] = {
passwordRef.get()
};
CFRef<CFDictionaryRef> options( CFRef<CFDictionaryRef> options(
CFDictionaryCreate(nullptr, keys, values, 1, nullptr, nullptr)); CFDictionaryCreate(nullptr, keys, values, 1, nullptr, nullptr));
if (!options) { if (!options) {

View file

@ -46,12 +46,12 @@
namespace aria2 { namespace aria2 {
class AppleTLSContext : public TLSContext class AppleTLSContext : public TLSContext {
{
public: public:
AppleTLSContext(TLSSessionSide side, TLSVersion ver) AppleTLSContext(TLSSessionSide side, TLSVersion ver)
: side_(side), minTLSVer_(ver), verifyPeer_(true), credentials_(nullptr) : side_(side), minTLSVer_(ver), verifyPeer_(true), credentials_(nullptr)
{} {
}
virtual ~AppleTLSContext(); virtual ~AppleTLSContext();
@ -59,28 +59,16 @@ public:
virtual bool addCredentialFile(const std::string& certfile, virtual bool addCredentialFile(const std::string& certfile,
const std::string& keyfile) CXX11_OVERRIDE; const std::string& keyfile) CXX11_OVERRIDE;
virtual bool addSystemTrustedCACerts() CXX11_OVERRIDE virtual bool addSystemTrustedCACerts() CXX11_OVERRIDE { return true; }
{
return true;
}
// certfile can contain multiple certificates. // certfile can contain multiple certificates.
virtual bool addTrustedCACertFile(const std::string& certfile) CXX11_OVERRIDE; virtual bool addTrustedCACertFile(const std::string& certfile) CXX11_OVERRIDE;
virtual bool good() const CXX11_OVERRIDE virtual bool good() const CXX11_OVERRIDE { return true; }
{
return true;
}
virtual TLSSessionSide getSide() const CXX11_OVERRIDE virtual TLSSessionSide getSide() const CXX11_OVERRIDE { return side_; }
{
return side_;
}
virtual bool getVerifyPeer() const CXX11_OVERRIDE virtual bool getVerifyPeer() const CXX11_OVERRIDE { return verifyPeer_; }
{
return verifyPeer_;
}
virtual void setVerifyPeer(bool verify) CXX11_OVERRIDE virtual void setVerifyPeer(bool verify) CXX11_OVERRIDE
{ {
@ -89,10 +77,7 @@ public:
SecIdentityRef getCredentials(); SecIdentityRef getCredentials();
TLSVersion getMinTLSVersion() const TLSVersion getMinTLSVersion() const { return minTLSVer_; }
{
return minTLSVer_;
}
private: private:
TLSSessionSide side_; TLSSessionSide side_;

View file

@ -101,15 +101,13 @@ static inline const char* protoToString(SSLProtocol proto)
{ \ { \
n, #s \ n, #s \
} }
static struct static struct {
{
SSLCipherSuite suite; SSLCipherSuite suite;
const char* name; const char* name;
} kSuites[] = { } kSuites[] = {
// From CipherSuite.h (10.9) // From CipherSuite.h (10.9)
SUITE(SSL_NULL_WITH_NULL_NULL, 0x0000), SUITE(SSL_NULL_WITH_NULL_NULL, 0x0000),
SUITE(SSL_RSA_WITH_NULL_MD5, 0x0001), SUITE(SSL_RSA_WITH_NULL_MD5, 0x0001), SUITE(SSL_RSA_WITH_NULL_SHA, 0x0002),
SUITE(SSL_RSA_WITH_NULL_SHA, 0x0002),
SUITE(SSL_RSA_EXPORT_WITH_RC4_40_MD5, 0x0003), SUITE(SSL_RSA_EXPORT_WITH_RC4_40_MD5, 0x0003),
SUITE(SSL_RSA_WITH_RC4_128_MD5, 0x0004), SUITE(SSL_RSA_WITH_RC4_128_MD5, 0x0004),
SUITE(SSL_RSA_WITH_RC4_128_SHA, 0x0005), SUITE(SSL_RSA_WITH_RC4_128_SHA, 0x0005),
@ -175,8 +173,7 @@ static struct
SUITE(TLS_ECDH_anon_WITH_AES_128_CBC_SHA, 0xC018), SUITE(TLS_ECDH_anon_WITH_AES_128_CBC_SHA, 0xC018),
SUITE(TLS_ECDH_anon_WITH_AES_256_CBC_SHA, 0xC019), SUITE(TLS_ECDH_anon_WITH_AES_256_CBC_SHA, 0xC019),
SUITE(TLS_NULL_WITH_NULL_NULL, 0x0000), SUITE(TLS_NULL_WITH_NULL_NULL, 0x0000),
SUITE(TLS_RSA_WITH_NULL_MD5, 0x0001), SUITE(TLS_RSA_WITH_NULL_MD5, 0x0001), SUITE(TLS_RSA_WITH_NULL_SHA, 0x0002),
SUITE(TLS_RSA_WITH_NULL_SHA, 0x0002),
SUITE(TLS_RSA_WITH_RC4_128_MD5, 0x0004), SUITE(TLS_RSA_WITH_RC4_128_MD5, 0x0004),
SUITE(TLS_RSA_WITH_RC4_128_SHA, 0x0005), SUITE(TLS_RSA_WITH_RC4_128_SHA, 0x0005),
SUITE(TLS_RSA_WITH_3DES_EDE_CBC_SHA, 0x000A), SUITE(TLS_RSA_WITH_3DES_EDE_CBC_SHA, 0x000A),
@ -265,8 +262,7 @@ static struct
SUITE(SSL_RSA_WITH_IDEA_CBC_MD5, 0xFF81), SUITE(SSL_RSA_WITH_IDEA_CBC_MD5, 0xFF81),
SUITE(SSL_RSA_WITH_DES_CBC_MD5, 0xFF82), SUITE(SSL_RSA_WITH_DES_CBC_MD5, 0xFF82),
SUITE(SSL_RSA_WITH_3DES_EDE_CBC_MD5, 0xFF83), SUITE(SSL_RSA_WITH_3DES_EDE_CBC_MD5, 0xFF83),
SUITE(SSL_NO_SUCH_CIPHERSUITE, 0xFFFF) SUITE(SSL_NO_SUCH_CIPHERSUITE, 0xFFFF)};
};
#undef SUITE #undef SUITE
static inline std::string suiteToString(const SSLCipherSuite suite) static inline std::string suiteToString(const SSLCipherSuite suite)
@ -283,9 +279,8 @@ static inline std::string suiteToString(const SSLCipherSuite suite)
return ss.str(); return ss.str();
} }
static const char* kBlocked[] = { static const char* kBlocked[] = {"NULL", "anon", "MD5", "EXPORT", "DES",
"NULL", "anon", "MD5", "EXPORT", "DES", "IDEA", "NO_SUCH", "EMPTY", "PSK" "IDEA", "NO_SUCH", "EMPTY", "PSK"};
};
static inline bool isBlockedSuite(SSLCipherSuite suite) static inline bool isBlockedSuite(SSLCipherSuite suite)
{ {
@ -352,9 +347,8 @@ AppleTLSSession::AppleTLSSession(AppleTLSContext* ctx)
writeBuffered_(0) writeBuffered_(0)
{ {
#if defined(__MAC_10_8) #if defined(__MAC_10_8)
sslCtx_ = SSLCreateContext(nullptr, sslCtx_ = SSLCreateContext(
ctx->getSide() == TLS_SERVER ? kSSLServerSide : nullptr, ctx->getSide() == TLS_SERVER ? kSSLServerSide : kSSLClientSide,
kSSLClientSide,
kSSLStreamType); kSSLStreamType);
lastError_ = sslCtx_ ? noErr : paramErr; lastError_ = sslCtx_ ? noErr : paramErr;
#else #else
@ -414,8 +408,8 @@ AppleTLSSession::AppleTLSSession(AppleTLSContext* ctx)
#if defined(__MAC_10_8) #if defined(__MAC_10_8)
if (!ctx->getVerifyPeer()) { if (!ctx->getVerifyPeer()) {
// This disables client verification // This disables client verification
(void)SSLSetSessionOption( (void)SSLSetSessionOption(sslCtx_, kSSLSessionOptionBreakOnServerAuth,
sslCtx_, kSSLSessionOptionBreakOnServerAuth, true); true);
} }
#else #else
(void)SSLSetEnableCertVerify(sslCtx_, ctx->getVerifyPeer()); (void)SSLSetEnableCertVerify(sslCtx_, ctx->getVerifyPeer());
@ -700,8 +694,7 @@ OSStatus AppleTLSSession::sockRead(void* data, size_t* len)
} }
int AppleTLSSession::tlsConnect(const std::string& hostname, int AppleTLSSession::tlsConnect(const std::string& hostname,
TLSVersion& version, TLSVersion& version, std::string& handshakeErr)
std::string& handshakeErr)
{ {
if (state_ != st_initialized) { if (state_ != st_initialized) {
return TLS_ERR_ERROR; return TLS_ERR_ERROR;
@ -733,10 +726,8 @@ int AppleTLSSession::tlsConnect(const std::string& hostname,
(void)SSLGetNegotiatedProtocolVersion(sslCtx_, &proto); (void)SSLGetNegotiatedProtocolVersion(sslCtx_, &proto);
SSLCipherSuite suite = SSL_NO_SUCH_CIPHERSUITE; SSLCipherSuite suite = SSL_NO_SUCH_CIPHERSUITE;
(void)SSLGetNegotiatedCipher(sslCtx_, &suite); (void)SSLGetNegotiatedCipher(sslCtx_, &suite);
A2_LOG_INFO(fmt("AppleTLS: Connected to %s with %s (%s)", A2_LOG_INFO(fmt("AppleTLS: Connected to %s with %s (%s)", hostname.c_str(),
hostname.c_str(), protoToString(proto), suiteToString(suite).c_str()));
protoToString(proto),
suiteToString(suite).c_str()));
switch (proto) { switch (proto) {
case kSSLProtocol3: case kSSLProtocol3:

View file

@ -41,8 +41,7 @@
namespace aria2 { namespace aria2 {
class AppleTLSSession : public TLSSession class AppleTLSSession : public TLSSession {
{
enum state_t { enum state_t {
st_constructed, st_constructed,
st_initialized, st_initialized,
@ -95,8 +94,7 @@ public:
// if the underlying transport blocks, or TLS_ERR_ERROR. // if the underlying transport blocks, or TLS_ERR_ERROR.
// When returning TLS_ERR_ERROR, provide certificate validation error // When returning TLS_ERR_ERROR, provide certificate validation error
// in |handshakeErr|. // in |handshakeErr|.
virtual int tlsConnect(const std::string& hostname, virtual int tlsConnect(const std::string& hostname, TLSVersion& version,
TLSVersion& version,
std::string& handshakeErr) CXX11_OVERRIDE; std::string& handshakeErr) CXX11_OVERRIDE;
// Performs server side handshake. This function returns TLS_ERR_OK // Performs server side handshake. This function returns TLS_ERR_OK
@ -108,8 +106,8 @@ public:
virtual std::string getLastErrorString() CXX11_OVERRIDE; virtual std::string getLastErrorString() CXX11_OVERRIDE;
private: private:
static OSStatus static OSStatus SocketWrite(SSLConnectionRef conn, const void* data,
SocketWrite(SSLConnectionRef conn, const void* data, size_t* len) size_t* len)
{ {
return ((AppleTLSSession*)conn)->sockWrite(data, len); return ((AppleTLSSession*)conn)->sockWrite(data, len);
} }

View file

@ -46,50 +46,47 @@ namespace aria2 {
void callback(void* arg, int status, int timeouts, struct hostent* host) void callback(void* arg, int status, int timeouts, struct hostent* host)
{ {
AsyncNameResolver* resolverPtr = reinterpret_cast<AsyncNameResolver*>(arg); AsyncNameResolver* resolverPtr = reinterpret_cast<AsyncNameResolver*>(arg);
if(status != ARES_SUCCESS) { if (status != ARES_SUCCESS) {
resolverPtr->error_ = ares_strerror(status); resolverPtr->error_ = ares_strerror(status);
resolverPtr->status_ = AsyncNameResolver::STATUS_ERROR; resolverPtr->status_ = AsyncNameResolver::STATUS_ERROR;
return; return;
} }
for(char** ap = host->h_addr_list; *ap; ++ap) { for (char** ap = host->h_addr_list; *ap; ++ap) {
char addrstring[NI_MAXHOST]; char addrstring[NI_MAXHOST];
if(inetNtop(host->h_addrtype, *ap, addrstring, sizeof(addrstring)) == 0) { if (inetNtop(host->h_addrtype, *ap, addrstring, sizeof(addrstring)) == 0) {
resolverPtr->resolvedAddresses_.push_back(addrstring); resolverPtr->resolvedAddresses_.push_back(addrstring);
} }
} }
if(resolverPtr->resolvedAddresses_.empty()) { if (resolverPtr->resolvedAddresses_.empty()) {
resolverPtr->error_ = "no address returned or address conversion failed"; resolverPtr->error_ = "no address returned or address conversion failed";
resolverPtr->status_ = AsyncNameResolver::STATUS_ERROR; resolverPtr->status_ = AsyncNameResolver::STATUS_ERROR;
} else { }
else {
resolverPtr->status_ = AsyncNameResolver::STATUS_SUCCESS; resolverPtr->status_ = AsyncNameResolver::STATUS_SUCCESS;
} }
} }
AsyncNameResolver::AsyncNameResolver AsyncNameResolver::AsyncNameResolver(int family
(int family
#ifdef HAVE_ARES_ADDR_NODE #ifdef HAVE_ARES_ADDR_NODE
, ares_addr_node* servers ,
ares_addr_node* servers
#endif // HAVE_ARES_ADDR_NODE #endif // HAVE_ARES_ADDR_NODE
) )
: status_(STATUS_READY), : status_(STATUS_READY), family_(family)
family_(family)
{ {
// TODO evaluate return value // TODO evaluate return value
ares_init(&channel_); ares_init(&channel_);
#if defined(HAVE_ARES_SET_SERVERS) && defined(HAVE_ARES_ADDR_NODE) #if defined(HAVE_ARES_SET_SERVERS) && defined(HAVE_ARES_ADDR_NODE)
if(servers) { if (servers) {
// ares_set_servers has been added since c-ares 1.7.1 // ares_set_servers has been added since c-ares 1.7.1
if(ares_set_servers(channel_, servers) != ARES_SUCCESS) { if (ares_set_servers(channel_, servers) != ARES_SUCCESS) {
A2_LOG_DEBUG("ares_set_servers failed"); A2_LOG_DEBUG("ares_set_servers failed");
} }
} }
#endif // HAVE_ARES_SET_SERVERS && HAVE_ARES_ADDR_NODE #endif // HAVE_ARES_SET_SERVERS && HAVE_ARES_ADDR_NODE
} }
AsyncNameResolver::~AsyncNameResolver() AsyncNameResolver::~AsyncNameResolver() { ares_destroy(channel_); }
{
ares_destroy(channel_);
}
void AsyncNameResolver::resolve(const std::string& name) void AsyncNameResolver::resolve(const std::string& name)
{ {
@ -148,11 +145,11 @@ ares_addr_node* parseAsyncDNSServers(const std::string& serversOpt)
ares_addr_node root; ares_addr_node root;
root.next = nullptr; root.next = nullptr;
ares_addr_node* tail = &root; ares_addr_node* tail = &root;
for (const auto& s: servers) { for (const auto& s : servers) {
auto node = make_unique<ares_addr_node>(); auto node = make_unique<ares_addr_node>();
size_t len = net::getBinAddr(&node->addr, s.c_str()); size_t len = net::getBinAddr(&node->addr, s.c_str());
if(len != 0) { if (len != 0) {
node->next = nullptr; node->next = nullptr;
node->family = (len == 4 ? AF_INET : AF_INET6); node->family = (len == 4 ? AF_INET : AF_INET6);
tail->next = node.release(); tail->next = node.release();

View file

@ -47,8 +47,9 @@
namespace aria2 { namespace aria2 {
class AsyncNameResolver { class AsyncNameResolver {
friend void callback friend void callback(void* arg, int status, int timeouts,
(void* arg, int status, int timeouts, struct hostent* host); struct hostent* host);
public: public:
enum STATUS { enum STATUS {
STATUS_READY, STATUS_READY,
@ -56,6 +57,7 @@ public:
STATUS_SUCCESS, STATUS_SUCCESS,
STATUS_ERROR, STATUS_ERROR,
}; };
private: private:
STATUS status_; STATUS status_;
int family_; int family_;
@ -64,11 +66,12 @@ private:
std::vector<std::string> resolvedAddresses_; std::vector<std::string> resolvedAddresses_;
std::string error_; std::string error_;
std::string hostname_; std::string hostname_;
public: public:
AsyncNameResolver AsyncNameResolver(int family
(int family
#ifdef HAVE_ARES_ADDR_NODE #ifdef HAVE_ARES_ADDR_NODE
, ares_addr_node* servers ,
ares_addr_node* servers
#endif // HAVE_ARES_ADDR_NODE #endif // HAVE_ARES_ADDR_NODE
); );
@ -81,24 +84,15 @@ public:
return resolvedAddresses_; return resolvedAddresses_;
} }
const std::string& getError() const const std::string& getError() const { return error_; }
{
return error_;
}
STATUS getStatus() const STATUS getStatus() const { return status_; }
{
return status_;
}
int getFds(fd_set* rfdsPtr, fd_set* wfdsPtr) const; int getFds(fd_set* rfdsPtr, fd_set* wfdsPtr) const;
void process(fd_set* rfdsPtr, fd_set* wfdsPtr); void process(fd_set* rfdsPtr, fd_set* wfdsPtr);
int getFamily() const int getFamily() const { return family_; }
{
return family_;
}
#ifdef HAVE_LIBCARES #ifdef HAVE_LIBCARES
int getsock(sock_t* sockets) const; int getsock(sock_t* sockets) const;
@ -113,11 +107,7 @@ public:
void reset(); void reset();
const std::string& getHostname() const const std::string& getHostname() const { return hostname_; }
{
return hostname_;
}
}; };
#ifdef HAVE_ARES_ADDR_NODE #ifdef HAVE_ARES_ADDR_NODE
@ -126,7 +116,6 @@ ares_addr_node* parseAsyncDNSServers(const std::string& serversOpt);
#endif // HAVE_ARES_ADDR_NODE #endif // HAVE_ARES_ADDR_NODE
} // namespace aria2 } // namespace aria2
#endif // D_ASYNC_NAME_RESOLVER_H #endif // D_ASYNC_NAME_RESOLVER_H

View file

@ -49,21 +49,16 @@
namespace aria2 { namespace aria2 {
AsyncNameResolverMan::AsyncNameResolverMan() AsyncNameResolverMan::AsyncNameResolverMan()
: numResolver_(0), : numResolver_(0), resolverCheck_(0), ipv4_(true), ipv6_(true)
resolverCheck_(0),
ipv4_(true),
ipv6_(true)
{}
AsyncNameResolverMan::~AsyncNameResolverMan()
{ {
assert(!resolverCheck_);
} }
AsyncNameResolverMan::~AsyncNameResolverMan() { assert(!resolverCheck_); }
bool AsyncNameResolverMan::started() const bool AsyncNameResolverMan::started() const
{ {
for(size_t i = 0; i < numResolver_; ++i) { for (size_t i = 0; i < numResolver_; ++i) {
if(asyncNameResolver_[i]) { if (asyncNameResolver_[i]) {
return true; return true;
} }
} }
@ -71,31 +66,29 @@ bool AsyncNameResolverMan::started() const
} }
void AsyncNameResolverMan::startAsync(const std::string& hostname, void AsyncNameResolverMan::startAsync(const std::string& hostname,
DownloadEngine* e, DownloadEngine* e, Command* command)
Command* command)
{ {
numResolver_ = 0; numResolver_ = 0;
// Set IPv6 resolver first, so that we can push IPv6 address in // Set IPv6 resolver first, so that we can push IPv6 address in
// front of IPv6 address in getResolvedAddress(). // front of IPv6 address in getResolvedAddress().
if(ipv6_) { if (ipv6_) {
startAsyncFamily(hostname, AF_INET6, e, command); startAsyncFamily(hostname, AF_INET6, e, command);
++numResolver_; ++numResolver_;
} }
if(ipv4_) { if (ipv4_) {
startAsyncFamily(hostname, AF_INET, e, command); startAsyncFamily(hostname, AF_INET, e, command);
++numResolver_; ++numResolver_;
} }
A2_LOG_INFO(fmt(MSG_RESOLVING_HOSTNAME, command->getCuid(), A2_LOG_INFO(
hostname.c_str())); fmt(MSG_RESOLVING_HOSTNAME, command->getCuid(), hostname.c_str()));
} }
void AsyncNameResolverMan::startAsyncFamily(const std::string& hostname, void AsyncNameResolverMan::startAsyncFamily(const std::string& hostname,
int family, int family, DownloadEngine* e,
DownloadEngine* e,
Command* command) Command* command)
{ {
asyncNameResolver_[numResolver_] = std::make_shared<AsyncNameResolver> asyncNameResolver_[numResolver_] =
(family std::make_shared<AsyncNameResolver>(family
#ifdef HAVE_ARES_ADDR_NODE #ifdef HAVE_ARES_ADDR_NODE
, ,
e->getAsyncDNSServers() e->getAsyncDNSServers()
@ -105,11 +98,11 @@ void AsyncNameResolverMan::startAsyncFamily(const std::string& hostname,
setNameResolverCheck(numResolver_, e, command); setNameResolverCheck(numResolver_, e, command);
} }
void AsyncNameResolverMan::getResolvedAddress(std::vector<std::string>& res) void AsyncNameResolverMan::getResolvedAddress(
const std::vector<std::string>& res) const
{ {
for(size_t i = 0; i < numResolver_; ++i) { for (size_t i = 0; i < numResolver_; ++i) {
if(asyncNameResolver_[i]->getStatus() == if (asyncNameResolver_[i]->getStatus() ==
AsyncNameResolver::STATUS_SUCCESS) { AsyncNameResolver::STATUS_SUCCESS) {
auto& addrs = asyncNameResolver_[i]->getResolvedAddresses(); auto& addrs = asyncNameResolver_[i]->getResolvedAddresses();
res.insert(std::end(res), std::begin(addrs), std::end(addrs)); res.insert(std::end(res), std::begin(addrs), std::end(addrs));
@ -121,16 +114,15 @@ const
void AsyncNameResolverMan::setNameResolverCheck(DownloadEngine* e, void AsyncNameResolverMan::setNameResolverCheck(DownloadEngine* e,
Command* command) Command* command)
{ {
for(size_t i = 0; i < numResolver_; ++i) { for (size_t i = 0; i < numResolver_; ++i) {
setNameResolverCheck(i, e, command); setNameResolverCheck(i, e, command);
} }
} }
void AsyncNameResolverMan::setNameResolverCheck(size_t index, void AsyncNameResolverMan::setNameResolverCheck(size_t index, DownloadEngine* e,
DownloadEngine* e,
Command* command) Command* command)
{ {
if(asyncNameResolver_[index]) { if (asyncNameResolver_[index]) {
assert((resolverCheck_ & (1 << index)) == 0); assert((resolverCheck_ & (1 << index)) == 0);
resolverCheck_ |= 1 << index; resolverCheck_ |= 1 << index;
e->addNameResolverCheck(asyncNameResolver_[index], command); e->addNameResolverCheck(asyncNameResolver_[index], command);
@ -140,7 +132,7 @@ void AsyncNameResolverMan::setNameResolverCheck(size_t index,
void AsyncNameResolverMan::disableNameResolverCheck(DownloadEngine* e, void AsyncNameResolverMan::disableNameResolverCheck(DownloadEngine* e,
Command* command) Command* command)
{ {
for(size_t i = 0; i < numResolver_; ++i) { for (size_t i = 0; i < numResolver_; ++i) {
disableNameResolverCheck(i, e, command); disableNameResolverCheck(i, e, command);
} }
} }
@ -149,7 +141,7 @@ void AsyncNameResolverMan::disableNameResolverCheck(size_t index,
DownloadEngine* e, DownloadEngine* e,
Command* command) Command* command)
{ {
if(asyncNameResolver_[index] && (resolverCheck_ & (1 << index))) { if (asyncNameResolver_[index] && (resolverCheck_ & (1 << index))) {
resolverCheck_ &= ~(1 << index); resolverCheck_ &= ~(1 << index);
e->deleteNameResolverCheck(asyncNameResolver_[index], command); e->deleteNameResolverCheck(asyncNameResolver_[index], command);
} }
@ -160,11 +152,11 @@ int AsyncNameResolverMan::getStatus() const
size_t success = 0; size_t success = 0;
size_t error = 0; size_t error = 0;
bool ipv4Success = false; bool ipv4Success = false;
for(size_t i = 0; i < numResolver_; ++i) { for (size_t i = 0; i < numResolver_; ++i) {
switch(asyncNameResolver_[i]->getStatus()) { switch (asyncNameResolver_[i]->getStatus()) {
case AsyncNameResolver::STATUS_SUCCESS: case AsyncNameResolver::STATUS_SUCCESS:
++success; ++success;
if(asyncNameResolver_[i]->getFamily() == AF_INET) { if (asyncNameResolver_[i]->getFamily() == AF_INET) {
ipv4Success = true; ipv4Success = true;
} }
break; break;
@ -180,19 +172,21 @@ int AsyncNameResolverMan::getStatus() const
// have to wait for a long time before timeout. We don't do the // have to wait for a long time before timeout. We don't do the
// inverse, because, based on today's deployment of DNS servers, // inverse, because, based on today's deployment of DNS servers,
// almost all of them can respond to A queries just fine. // almost all of them can respond to A queries just fine.
if((success && ipv4Success) || success == numResolver_) { if ((success && ipv4Success) || success == numResolver_) {
return 1; return 1;
} else if(error == numResolver_) { }
else if (error == numResolver_) {
return -1; return -1;
} else { }
else {
return 0; return 0;
} }
} }
const std::string& AsyncNameResolverMan::getLastError() const const std::string& AsyncNameResolverMan::getLastError() const
{ {
for(size_t i = 0; i < numResolver_; ++i) { for (size_t i = 0; i < numResolver_; ++i) {
if(asyncNameResolver_[i]->getStatus() == AsyncNameResolver::STATUS_ERROR) { if (asyncNameResolver_[i]->getStatus() == AsyncNameResolver::STATUS_ERROR) {
// TODO This is not last error chronologically. // TODO This is not last error chronologically.
return asyncNameResolver_[i]->getError(); return asyncNameResolver_[i]->getError();
} }
@ -204,7 +198,7 @@ void AsyncNameResolverMan::reset(DownloadEngine* e, Command* command)
{ {
disableNameResolverCheck(e, command); disableNameResolverCheck(e, command);
assert(resolverCheck_ == 0); assert(resolverCheck_ == 0);
for(size_t i = 0; i < numResolver_; ++i) { for (size_t i = 0; i < numResolver_; ++i) {
asyncNameResolver_[i].reset(); asyncNameResolver_[i].reset();
} }
numResolver_ = 0; numResolver_ = 0;
@ -219,14 +213,13 @@ void configureAsyncNameResolverMan(AsyncNameResolverMan* asyncNameResolverMan,
// before network interfaces up. To workaround this, we check // before network interfaces up. To workaround this, we check
// addresses again if both addresses are not configured at the // addresses again if both addresses are not configured at the
// startup. // startup.
if(!net::getIPv4AddrConfigured() && !net::getIPv6AddrConfigured()) { if (!net::getIPv4AddrConfigured() && !net::getIPv6AddrConfigured()) {
net::checkAddrconfig(); net::checkAddrconfig();
} }
if(!net::getIPv4AddrConfigured()) { if (!net::getIPv4AddrConfigured()) {
asyncNameResolverMan->setIPv4(false); asyncNameResolverMan->setIPv4(false);
} }
if(!net::getIPv6AddrConfigured() || if (!net::getIPv6AddrConfigured() || option->getAsBool(PREF_DISABLE_IPV6)) {
option->getAsBool(PREF_DISABLE_IPV6)) {
asyncNameResolverMan->setIPv6(false); asyncNameResolverMan->setIPv6(false);
} }
} }

View file

@ -55,15 +55,9 @@ public:
// must call it before the destruction of this object. // must call it before the destruction of this object.
~AsyncNameResolverMan(); ~AsyncNameResolverMan();
// Enable IPv4 address lookup. default: true // Enable IPv4 address lookup. default: true
void setIPv4(bool ipv4) void setIPv4(bool ipv4) { ipv4_ = ipv4; }
{
ipv4_ = ipv4;
}
// Enable IPv6 address lookup. default: true // Enable IPv6 address lookup. default: true
void setIPv6(bool ipv6) void setIPv6(bool ipv6) { ipv6_ = ipv6; }
{
ipv6_ = ipv6;
}
// Returns true if asynchronous name resolution has been started. // Returns true if asynchronous name resolution has been started.
bool started() const; bool started() const;
// Starts asynchronous name resolution. // Starts asynchronous name resolution.
@ -76,10 +70,7 @@ public:
// Removes resolvers from DownloadEngine. // Removes resolvers from DownloadEngine.
void disableNameResolverCheck(DownloadEngine* e, Command* command); void disableNameResolverCheck(DownloadEngine* e, Command* command);
// Returns true if any of resolvers are added in DownloadEngine. // Returns true if any of resolvers are added in DownloadEngine.
bool resolverChecked() const bool resolverChecked() const { return resolverCheck_; }
{
return resolverCheck_;
}
// Returns status value: 0 for inprogress, 1 for success and -1 for // Returns status value: 0 for inprogress, 1 for success and -1 for
// failure. // failure.
int getStatus() const; int getStatus() const;
@ -87,9 +78,9 @@ public:
const std::string& getLastError() const; const std::string& getLastError() const;
// Resets state. Also removes resolvers from DownloadEngine. // Resets state. Also removes resolvers from DownloadEngine.
void reset(DownloadEngine* e, Command* command); void reset(DownloadEngine* e, Command* command);
private: private:
void startAsyncFamily(const std::string& hostname, void startAsyncFamily(const std::string& hostname, int family,
int family,
DownloadEngine* e, Command* command); DownloadEngine* e, Command* command);
void setNameResolverCheck(size_t resolverIndex, DownloadEngine* e, void setNameResolverCheck(size_t resolverIndex, DownloadEngine* e,
Command* command); Command* command);

View file

@ -43,9 +43,9 @@ namespace aria2 {
AuthConfig::AuthConfig() {} AuthConfig::AuthConfig() {}
AuthConfig::AuthConfig(std::string user, std::string password) AuthConfig::AuthConfig(std::string user, std::string password)
: user_(std::move(user)), : user_(std::move(user)), password_(std::move(password))
password_(std::move(password)) {
{} }
AuthConfig::~AuthConfig() {} AuthConfig::~AuthConfig() {}
@ -57,12 +57,13 @@ std::string AuthConfig::getAuthText() const
return s; return s;
} }
std::unique_ptr<AuthConfig> AuthConfig::create std::unique_ptr<AuthConfig> AuthConfig::create(std::string user,
(std::string user, std::string password) std::string password)
{ {
if(user.empty()) { if (user.empty()) {
return nullptr; return nullptr;
} else { }
else {
return make_unique<AuthConfig>(std::move(user), std::move(password)); return make_unique<AuthConfig>(std::move(user), std::move(password));
} }
} }

View file

@ -48,6 +48,7 @@ private:
std::string authScheme_; std::string authScheme_;
std::string user_; std::string user_;
std::string password_; std::string password_;
public: public:
AuthConfig(); AuthConfig();
AuthConfig(std::string user, std::string password); AuthConfig(std::string user, std::string password);
@ -59,18 +60,12 @@ public:
std::string getAuthText() const; std::string getAuthText() const;
const std::string& getUser() const const std::string& getUser() const { return user_; }
{
return user_;
}
const std::string& getPassword() const const std::string& getPassword() const { return password_; }
{
return password_;
}
static std::unique_ptr<AuthConfig> create static std::unique_ptr<AuthConfig> create(std::string user,
(std::string user, std::string password); std::string password);
}; };
std::ostream& operator<<(std::ostream& o, std::ostream& operator<<(std::ostream& o,

View file

@ -57,51 +57,54 @@ AuthConfigFactory::AuthConfigFactory() {}
AuthConfigFactory::~AuthConfigFactory() {} AuthConfigFactory::~AuthConfigFactory() {}
std::unique_ptr<AuthConfig> std::unique_ptr<AuthConfig>
AuthConfigFactory::createAuthConfig AuthConfigFactory::createAuthConfig(const std::shared_ptr<Request>& request,
(const std::shared_ptr<Request>& request, const Option* op) const Option* op)
{ {
if(request->getProtocol() == "http" || request->getProtocol() == "https") { if (request->getProtocol() == "http" || request->getProtocol() == "https") {
if(op->getAsBool(PREF_HTTP_AUTH_CHALLENGE)) { if (op->getAsBool(PREF_HTTP_AUTH_CHALLENGE)) {
if(!request->getUsername().empty()) { if (!request->getUsername().empty()) {
updateBasicCred(make_unique<BasicCred>(request->getUsername(), updateBasicCred(make_unique<BasicCred>(
request->getPassword(), request->getUsername(), request->getPassword(), request->getHost(),
request->getHost(), request->getPort(), request->getDir(), true));
request->getPort(),
request->getDir(), true));
return AuthConfig::create(request->getUsername(), return AuthConfig::create(request->getUsername(),
request->getPassword()); request->getPassword());
} }
auto i = findBasicCred(request->getHost(), request->getPort(), auto i = findBasicCred(request->getHost(), request->getPort(),
request->getDir()); request->getDir());
if(i == std::end(basicCreds_)) { if (i == std::end(basicCreds_)) {
return nullptr; return nullptr;
} else { }
else {
return AuthConfig::create((*i)->user_, (*i)->password_); return AuthConfig::create((*i)->user_, (*i)->password_);
} }
} else { }
if(!request->getUsername().empty()) { else {
if (!request->getUsername().empty()) {
return AuthConfig::create(request->getUsername(), return AuthConfig::create(request->getUsername(),
request->getPassword()); request->getPassword());
} else { }
return else {
createHttpAuthResolver(op)->resolveAuthConfig(request->getHost()); return createHttpAuthResolver(op)
->resolveAuthConfig(request->getHost());
} }
} }
} else if(request->getProtocol() == "ftp" || }
else if (request->getProtocol() == "ftp" ||
request->getProtocol() == "sftp") { request->getProtocol() == "sftp") {
if(!request->getUsername().empty()) { if (!request->getUsername().empty()) {
if(request->hasPassword()) { if (request->hasPassword()) {
return AuthConfig::create(request->getUsername(), return AuthConfig::create(request->getUsername(),
request->getPassword()); request->getPassword());
} else { }
if(!op->getAsBool(PREF_NO_NETRC)) { else {
if (!op->getAsBool(PREF_NO_NETRC)) {
// First, check we have password corresponding to host and // First, check we have password corresponding to host and
// username // username
NetrcAuthResolver authResolver; NetrcAuthResolver authResolver;
authResolver.setNetrc(netrc_.get()); authResolver.setNetrc(netrc_.get());
auto ac = authResolver.resolveAuthConfig(request->getHost()); auto ac = authResolver.resolveAuthConfig(request->getHost());
if(ac && ac->getUser() == request->getUsername()) { if (ac && ac->getUser() == request->getUsername()) {
return ac; return ac;
} }
} }
@ -110,22 +113,24 @@ AuthConfigFactory::createAuthConfig
return AuthConfig::create(request->getUsername(), return AuthConfig::create(request->getUsername(),
op->get(PREF_FTP_PASSWD)); op->get(PREF_FTP_PASSWD));
} }
} else {
return
createFtpAuthResolver(op)->resolveAuthConfig(request->getHost());
} }
} else { else {
return createFtpAuthResolver(op)->resolveAuthConfig(request->getHost());
}
}
else {
return nullptr; return nullptr;
} }
} }
std::unique_ptr<AuthResolver> AuthConfigFactory::createHttpAuthResolver std::unique_ptr<AuthResolver>
(const Option* op) const AuthConfigFactory::createHttpAuthResolver(const Option* op) const
{ {
std::unique_ptr<AbstractAuthResolver> resolver; std::unique_ptr<AbstractAuthResolver> resolver;
if(op->getAsBool(PREF_NO_NETRC)) { if (op->getAsBool(PREF_NO_NETRC)) {
resolver = make_unique<DefaultAuthResolver>(); resolver = make_unique<DefaultAuthResolver>();
} else { }
else {
auto authResolver = make_unique<NetrcAuthResolver>(); auto authResolver = make_unique<NetrcAuthResolver>();
authResolver->setNetrc(netrc_.get()); authResolver->setNetrc(netrc_.get());
authResolver->ignoreDefault(); authResolver->ignoreDefault();
@ -136,13 +141,14 @@ std::unique_ptr<AuthResolver> AuthConfigFactory::createHttpAuthResolver
return std::move(resolver); return std::move(resolver);
} }
std::unique_ptr<AuthResolver> AuthConfigFactory::createFtpAuthResolver std::unique_ptr<AuthResolver>
(const Option* op) const AuthConfigFactory::createFtpAuthResolver(const Option* op) const
{ {
std::unique_ptr<AbstractAuthResolver> resolver; std::unique_ptr<AbstractAuthResolver> resolver;
if(op->getAsBool(PREF_NO_NETRC)) { if (op->getAsBool(PREF_NO_NETRC)) {
resolver = make_unique<DefaultAuthResolver>(); resolver = make_unique<DefaultAuthResolver>();
} else { }
else {
auto authResolver = make_unique<NetrcAuthResolver>(); auto authResolver = make_unique<NetrcAuthResolver>();
authResolver->setNetrc(netrc_.get()); authResolver->setNetrc(netrc_.get());
resolver = std::move(authResolver); resolver = std::move(authResolver);
@ -161,40 +167,40 @@ void AuthConfigFactory::setNetrc(std::unique_ptr<Netrc> netrc)
void AuthConfigFactory::updateBasicCred(std::unique_ptr<BasicCred> basicCred) void AuthConfigFactory::updateBasicCred(std::unique_ptr<BasicCred> basicCred)
{ {
auto i = basicCreds_.lower_bound(basicCred); auto i = basicCreds_.lower_bound(basicCred);
if(i != std::end(basicCreds_) && *i == basicCred) { if (i != std::end(basicCreds_) && *i == basicCred) {
*(*i) = std::move(*basicCred); *(*i) = std::move(*basicCred);
} else { }
else {
basicCreds_.insert(i, std::move(basicCred)); basicCreds_.insert(i, std::move(basicCred));
} }
} }
bool AuthConfigFactory::activateBasicCred bool AuthConfigFactory::activateBasicCred(const std::string& host,
(const std::string& host,
uint16_t port, uint16_t port,
const std::string& path, const std::string& path,
const Option* op) const Option* op)
{ {
auto i = findBasicCred(host, port, path); auto i = findBasicCred(host, port, path);
if(i == std::end(basicCreds_)) { if (i == std::end(basicCreds_)) {
auto authConfig = createHttpAuthResolver(op)->resolveAuthConfig(host); auto authConfig = createHttpAuthResolver(op)->resolveAuthConfig(host);
if(!authConfig) { if (!authConfig) {
return false; return false;
} else { }
else {
basicCreds_.insert(make_unique<BasicCred>(authConfig->getUser(), basicCreds_.insert(make_unique<BasicCred>(authConfig->getUser(),
authConfig->getPassword(), authConfig->getPassword(), host,
host, port, path, true)); port, path, true));
return true; return true;
} }
} else { }
else {
(*i)->activate(); (*i)->activate();
return true; return true;
} }
} }
BasicCred::BasicCred BasicCred::BasicCred(std::string user, std::string password, std::string host,
(std::string user, std::string password, uint16_t port, std::string path, bool activated)
std::string host, uint16_t port, std::string path,
bool activated)
: user_(std::move(user)), : user_(std::move(user)),
password_(std::move(password)), password_(std::move(password)),
host_(std::move(host)), host_(std::move(host)),
@ -202,20 +208,14 @@ BasicCred::BasicCred
path_(std::move(path)), path_(std::move(path)),
activated_(activated) activated_(activated)
{ {
if(path_.empty() || path_[path_.size()-1] != '/') { if (path_.empty() || path_[path_.size() - 1] != '/') {
path_ += "/"; path_ += "/";
} }
} }
void BasicCred::activate() void BasicCred::activate() { activated_ = true; }
{
activated_ = true;
}
bool BasicCred::isActivated() const bool BasicCred::isActivated() const { return activated_; }
{
return activated_;
}
bool BasicCred::operator==(const BasicCred& cred) const bool BasicCred::operator==(const BasicCred& cred) const
{ {
@ -224,22 +224,21 @@ bool BasicCred::operator==(const BasicCred& cred) const
bool BasicCred::operator<(const BasicCred& cred) const bool BasicCred::operator<(const BasicCred& cred) const
{ {
return host_ < cred.host_ || return host_ < cred.host_ || (!(cred.host_ < host_) &&
(!(cred.host_ < host_) && (port_ < cred.port_ || (port_ < cred.port_ || (!(cred.port_ < port_) &&
(!(cred.port_ < port_) && path_ > cred.path_))); path_ > cred.path_)));
} }
AuthConfigFactory::BasicCredSet::iterator AuthConfigFactory::findBasicCred AuthConfigFactory::BasicCredSet::iterator
(const std::string& host, AuthConfigFactory::findBasicCred(const std::string& host, uint16_t port,
uint16_t port,
const std::string& path) const std::string& path)
{ {
auto bc = make_unique<BasicCred>("", "", host, port, path); auto bc = make_unique<BasicCred>("", "", host, port, path);
auto i = basicCreds_.lower_bound(bc); auto i = basicCreds_.lower_bound(bc);
for(; i != std::end(basicCreds_) && for (;
(*i)->host_ == host && i != std::end(basicCreds_) && (*i)->host_ == host && (*i)->port_ == port;
(*i)->port_ == port; ++i) { ++i) {
if(util::startsWith(bc->path_, (*i)->path_)) { if (util::startsWith(bc->path_, (*i)->path_)) {
return i; return i;
} }
} }

View file

@ -61,9 +61,8 @@ public:
std::string path_; std::string path_;
bool activated_; bool activated_;
BasicCred(std::string user, std::string password, BasicCred(std::string user, std::string password, std::string host,
std::string host, uint16_t port, std::string path, uint16_t port, std::string path, bool activated = false);
bool activated = false);
void activate(); void activate();
@ -78,6 +77,7 @@ class AuthConfigFactory {
public: public:
typedef std::set<std::unique_ptr<BasicCred>, typedef std::set<std::unique_ptr<BasicCred>,
DerefLess<std::unique_ptr<BasicCred>>> BasicCredSet; DerefLess<std::unique_ptr<BasicCred>>> BasicCredSet;
private: private:
std::unique_ptr<Netrc> netrc_; std::unique_ptr<Netrc> netrc_;
@ -86,6 +86,7 @@ private:
std::unique_ptr<AuthResolver> createFtpAuthResolver(const Option* op) const; std::unique_ptr<AuthResolver> createFtpAuthResolver(const Option* op) const;
BasicCredSet basicCreds_; BasicCredSet basicCreds_;
public: public:
AuthConfigFactory(); AuthConfigFactory();
@ -95,8 +96,8 @@ public:
// are used in this method: PREF_HTTP_USER, PREF_HTTP_PASSWD, // are used in this method: PREF_HTTP_USER, PREF_HTTP_PASSWD,
// PREF_FTP_USER, PREF_FTP_PASSWD, PREF_NO_NETRC and // PREF_FTP_USER, PREF_FTP_PASSWD, PREF_NO_NETRC and
// PREF_HTTP_AUTH_CHALLENGE. // PREF_HTTP_AUTH_CHALLENGE.
std::unique_ptr<AuthConfig> createAuthConfig std::unique_ptr<AuthConfig>
(const std::shared_ptr<Request>& request, const Option* op); createAuthConfig(const std::shared_ptr<Request>& request, const Option* op);
void setNetrc(std::unique_ptr<Netrc> netrc); void setNetrc(std::unique_ptr<Netrc> netrc);
@ -106,19 +107,13 @@ public:
// null, then returns false. Otherwise new BasicCred is created // null, then returns false. Otherwise new BasicCred is created
// using this AuthConfig object with given host and path "/" and // using this AuthConfig object with given host and path "/" and
// returns true. // returns true.
bool activateBasicCred bool activateBasicCred(const std::string& host, uint16_t port,
(const std::string& host, const std::string& path, const Option* op);
uint16_t port,
const std::string& path,
const Option* op);
// Find a BasicCred using host, port and path and return the // Find a BasicCred using host, port and path and return the
// iterator pointing to it. If not found, then return // iterator pointing to it. If not found, then return
// basicCreds_.end(). // basicCreds_.end().
BasicCredSet::iterator BasicCredSet::iterator findBasicCred(const std::string& host, uint16_t port,
findBasicCred
(const std::string& host,
uint16_t port,
const std::string& path); const std::string& path);
// If the same BasicCred is already added, then it is replaced with // If the same BasicCred is already added, then it is replaced with

View file

@ -48,8 +48,8 @@ class AuthResolver {
public: public:
virtual ~AuthResolver() {} virtual ~AuthResolver() {}
virtual std::unique_ptr<AuthConfig> resolveAuthConfig virtual std::unique_ptr<AuthConfig>
(const std::string& hostname) = 0; resolveAuthConfig(const std::string& hostname) = 0;
}; };
} // namespace aria2 } // namespace aria2

View file

@ -41,13 +41,14 @@ namespace aria2 {
AutoSaveCommand::AutoSaveCommand(cuid_t cuid, DownloadEngine* e, AutoSaveCommand::AutoSaveCommand(cuid_t cuid, DownloadEngine* e,
std::chrono::seconds interval) std::chrono::seconds interval)
: TimeBasedCommand(cuid, e, std::move(interval), true) : TimeBasedCommand(cuid, e, std::move(interval), true)
{} {
}
AutoSaveCommand::~AutoSaveCommand() {} AutoSaveCommand::~AutoSaveCommand() {}
void AutoSaveCommand::preProcess() void AutoSaveCommand::preProcess()
{ {
if(getDownloadEngine()->getRequestGroupMan()->downloadFinished() || if (getDownloadEngine()->getRequestGroupMan()->downloadFinished() ||
getDownloadEngine()->isHaltRequested()) { getDownloadEngine()->isHaltRequested()) {
enableExit(); enableExit();
} }

View file

@ -39,8 +39,7 @@
namespace aria2 { namespace aria2 {
class AutoSaveCommand : public TimeBasedCommand class AutoSaveCommand : public TimeBasedCommand {
{
public: public:
AutoSaveCommand(cuid_t cuid, DownloadEngine* e, AutoSaveCommand(cuid_t cuid, DownloadEngine* e,
std::chrono::seconds interval); std::chrono::seconds interval);

View file

@ -45,15 +45,13 @@
namespace aria2 { namespace aria2 {
BackupConnectInfo::BackupConnectInfo() BackupConnectInfo::BackupConnectInfo() : cancel(false) {}
: cancel(false)
{}
BackupIPv4ConnectCommand::BackupIPv4ConnectCommand BackupIPv4ConnectCommand::BackupIPv4ConnectCommand(
(cuid_t cuid, const std::string& ipaddr, uint16_t port, cuid_t cuid, const std::string& ipaddr, uint16_t port,
const std::shared_ptr<BackupConnectInfo>& info, Command* mainCommand, const std::shared_ptr<BackupConnectInfo>& info, Command* mainCommand,
RequestGroup* requestGroup, DownloadEngine* e) RequestGroup* requestGroup, DownloadEngine* e)
: Command(cuid), : Command(cuid),
ipaddr_(ipaddr), ipaddr_(ipaddr),
port_(port), port_(port),
info_(info), info_(info),
@ -72,7 +70,7 @@ BackupIPv4ConnectCommand::~BackupIPv4ConnectCommand()
{ {
requestGroup_->decreaseNumCommand(); requestGroup_->decreaseNumCommand();
requestGroup_->decreaseStreamCommand(); requestGroup_->decreaseStreamCommand();
if(socket_) { if (socket_) {
e_->deleteSocketForWriteCheck(socket_, this); e_->deleteSocketForWriteCheck(socket_, this);
} }
} }
@ -80,60 +78,68 @@ BackupIPv4ConnectCommand::~BackupIPv4ConnectCommand()
bool BackupIPv4ConnectCommand::execute() bool BackupIPv4ConnectCommand::execute()
{ {
bool retval = false; bool retval = false;
if(requestGroup_->downloadFinished() || requestGroup_->isHaltRequested()) { if (requestGroup_->downloadFinished() || requestGroup_->isHaltRequested()) {
retval = true; retval = true;
} else if(info_->cancel) { }
A2_LOG_INFO(fmt("CUID#%" PRId64 " - Backup connection canceled", else if (info_->cancel) {
getCuid())); A2_LOG_INFO(
fmt("CUID#%" PRId64 " - Backup connection canceled", getCuid()));
retval = true; retval = true;
} else if(socket_) { }
if(writeEventEnabled()) { else if (socket_) {
if (writeEventEnabled()) {
try { try {
std::string error = socket_->getSocketError(); std::string error = socket_->getSocketError();
if(error.empty()) { if (error.empty()) {
A2_LOG_INFO(fmt("CUID#%" PRId64 " - Backup connection to %s " A2_LOG_INFO(fmt("CUID#%" PRId64 " - Backup connection to %s "
"established", getCuid(), ipaddr_.c_str())); "established",
getCuid(), ipaddr_.c_str()));
info_->ipaddr = ipaddr_; info_->ipaddr = ipaddr_;
e_->deleteSocketForWriteCheck(socket_, this); e_->deleteSocketForWriteCheck(socket_, this);
info_->socket.swap(socket_); info_->socket.swap(socket_);
mainCommand_->setStatus(STATUS_ONESHOT_REALTIME); mainCommand_->setStatus(STATUS_ONESHOT_REALTIME);
e_->setNoWait(true); e_->setNoWait(true);
retval = true; retval = true;
} else { }
else {
A2_LOG_INFO(fmt("CUID#%" PRId64 " - Backup connection failed: %s", A2_LOG_INFO(fmt("CUID#%" PRId64 " - Backup connection failed: %s",
getCuid(), error.c_str())); getCuid(), error.c_str()));
retval = true; retval = true;
} }
} catch(RecoverableException& e) { }
A2_LOG_INFO_EX(fmt("CUID#%" PRId64 " - Backup connection failed", catch (RecoverableException& e) {
getCuid()), e); A2_LOG_INFO_EX(
fmt("CUID#%" PRId64 " - Backup connection failed", getCuid()), e);
retval = true; retval = true;
} }
} }
} else if(!socket_) { }
else if (!socket_) {
// TODO Although we check 300ms initial timeout as described in // TODO Although we check 300ms initial timeout as described in
// RFC 6555, the interval will be much longer and around 1 second // RFC 6555, the interval will be much longer and around 1 second
// due to the refresh interval mechanism in DownloadEngine. // due to the refresh interval mechanism in DownloadEngine.
if(startTime_.difference(global::wallclock()) >= if (startTime_.difference(global::wallclock()) >=
std::chrono::milliseconds(300)) { std::chrono::milliseconds(300)) {
socket_ = std::make_shared<SocketCore>(); socket_ = std::make_shared<SocketCore>();
try { try {
socket_->establishConnection(ipaddr_, port_); socket_->establishConnection(ipaddr_, port_);
e_->addSocketForWriteCheck(socket_, this); e_->addSocketForWriteCheck(socket_, this);
timeoutCheck_ = global::wallclock(); timeoutCheck_ = global::wallclock();
} catch(RecoverableException& e) { }
A2_LOG_INFO_EX(fmt("CUID#%" PRId64 " - Backup connection failed", catch (RecoverableException& e) {
getCuid()), e); A2_LOG_INFO_EX(
fmt("CUID#%" PRId64 " - Backup connection failed", getCuid()), e);
socket_.reset(); socket_.reset();
retval = true; retval = true;
} }
} }
} else if(timeoutCheck_.difference(global::wallclock()) >= timeout_) { }
A2_LOG_INFO(fmt("CUID#%" PRId64 " - Backup connection command timeout", else if (timeoutCheck_.difference(global::wallclock()) >= timeout_) {
getCuid())); A2_LOG_INFO(
fmt("CUID#%" PRId64 " - Backup connection command timeout", getCuid()));
retval = true; retval = true;
} }
if(!retval) { if (!retval) {
e_->addCommand(std::unique_ptr<Command>(this)); e_->addCommand(std::unique_ptr<Command>(this));
} }
return retval; return retval;

View file

@ -64,13 +64,14 @@ struct BackupConnectInfo {
// "Happy Eyeballs" implementation. // "Happy Eyeballs" implementation.
class BackupIPv4ConnectCommand : public Command { class BackupIPv4ConnectCommand : public Command {
public: public:
BackupIPv4ConnectCommand(cuid_t cuid, BackupIPv4ConnectCommand(cuid_t cuid, const std::string& ipaddr,
const std::string& ipaddr, uint16_t port, uint16_t port,
const std::shared_ptr<BackupConnectInfo>& info, const std::shared_ptr<BackupConnectInfo>& info,
Command* mainCommand, Command* mainCommand, RequestGroup* requestGroup,
RequestGroup* requestGroup, DownloadEngine* e); DownloadEngine* e);
~BackupIPv4ConnectCommand(); ~BackupIPv4ConnectCommand();
virtual bool execute() CXX11_OVERRIDE; virtual bool execute() CXX11_OVERRIDE;
private: private:
std::string ipaddr_; std::string ipaddr_;
uint16_t port_; uint16_t port_;

View file

@ -71,27 +71,28 @@ BencodeParser::BencodeParser(StructParserStateMachine* psm)
stateStack_.push(BENCODE_FINISH); stateStack_.push(BENCODE_FINISH);
} }
BencodeParser::~BencodeParser() BencodeParser::~BencodeParser() {}
{}
ssize_t BencodeParser::parseUpdate(const char* data, size_t size) ssize_t BencodeParser::parseUpdate(const char* data, size_t size)
{ {
size_t i; size_t i;
if(currentState_ == BENCODE_FINISH) { if (currentState_ == BENCODE_FINISH) {
return 0; return 0;
} else if(currentState_ == BENCODE_ERROR) { }
else if (currentState_ == BENCODE_ERROR) {
return lastError_; return lastError_;
} }
for(i = 0; i < size && currentState_ != BENCODE_FINISH; ++i) { for (i = 0; i < size && currentState_ != BENCODE_FINISH; ++i) {
char c = data[i]; char c = data[i];
switch(currentState_) { switch (currentState_) {
case BENCODE_LIST: case BENCODE_LIST:
if(c == 'e') { if (c == 'e') {
onListEnd(); onListEnd();
break; break;
} else { }
else {
int rv = pushState(currentState_); int rv = pushState(currentState_);
if(rv < 0) { if (rv < 0) {
return rv; return rv;
} }
currentState_ = BENCODE_VALUE; currentState_ = BENCODE_VALUE;
@ -100,13 +101,13 @@ ssize_t BencodeParser::parseUpdate(const char* data, size_t size)
// Fall through // Fall through
case BENCODE_INITIAL: case BENCODE_INITIAL:
case BENCODE_VALUE: case BENCODE_VALUE:
switch(c) { switch (c) {
case 'd': { case 'd': {
currentState_ = BENCODE_DICT_KEY; currentState_ = BENCODE_DICT_KEY;
runBeginCallback(STRUCT_DICT_T); runBeginCallback(STRUCT_DICT_T);
break; break;
} }
case'l': case 'l':
currentState_ = BENCODE_LIST; currentState_ = BENCODE_LIST;
runBeginCallback(STRUCT_ARRAY_T); runBeginCallback(STRUCT_ARRAY_T);
break; break;
@ -118,25 +119,26 @@ ssize_t BencodeParser::parseUpdate(const char* data, size_t size)
runBeginCallback(STRUCT_NUMBER_T); runBeginCallback(STRUCT_NUMBER_T);
break; break;
default: default:
if(util::isDigit(c)) { if (util::isDigit(c)) {
strLength_ = c - '0'; strLength_ = c - '0';
numConsumed_ = 1; numConsumed_ = 1;
currentState_ = BENCODE_STRING_LEN; currentState_ = BENCODE_STRING_LEN;
runBeginCallback(STRUCT_STRING_T); runBeginCallback(STRUCT_STRING_T);
break; break;
} else { }
else {
currentState_ = BENCODE_ERROR; currentState_ = BENCODE_ERROR;
return lastError_ = ERR_UNEXPECTED_CHAR_BEFORE_VAL; return lastError_ = ERR_UNEXPECTED_CHAR_BEFORE_VAL;
} }
} }
break; break;
case BENCODE_DICT_KEY: { case BENCODE_DICT_KEY: {
if(c == 'e') { if (c == 'e') {
onDictEnd(); onDictEnd();
break; break;
} }
int rv = pushState(currentState_); int rv = pushState(currentState_);
if(rv < 0) { if (rv < 0) {
return rv; return rv;
} }
strLength_ = 0; strLength_ = 0;
@ -147,8 +149,8 @@ ssize_t BencodeParser::parseUpdate(const char* data, size_t size)
} }
case BENCODE_STRING_LEN: { case BENCODE_STRING_LEN: {
size_t j; size_t j;
for(j = i; j < size && in(data[j], '0', '9'); ++j) { for (j = i; j < size && in(data[j], '0', '9'); ++j) {
if((INT64_MAX - (data[j] - '0'))/ 10 < strLength_) { if ((INT64_MAX - (data[j] - '0')) / 10 < strLength_) {
currentState_ = BENCODE_ERROR; currentState_ = BENCODE_ERROR;
return lastError_ = ERR_STRING_LENGTH_OUT_OF_RANGE; return lastError_ = ERR_STRING_LENGTH_OUT_OF_RANGE;
} }
@ -156,18 +158,19 @@ ssize_t BencodeParser::parseUpdate(const char* data, size_t size)
strLength_ += data[j] - '0'; strLength_ += data[j] - '0';
} }
numConsumed_ += j - i; numConsumed_ += j - i;
if(j != size) { if (j != size) {
if(data[j] != ':' || numConsumed_ == 0) { if (data[j] != ':' || numConsumed_ == 0) {
currentState_ = BENCODE_ERROR; currentState_ = BENCODE_ERROR;
return lastError_ = ERR_INVALID_STRING_LENGTH; return lastError_ = ERR_INVALID_STRING_LENGTH;
} }
i = j; i = j;
currentState_ = BENCODE_STRING; currentState_ = BENCODE_STRING;
if(strLength_ == 0) { if (strLength_ == 0) {
runCharactersCallback(nullptr, 0); runCharactersCallback(nullptr, 0);
onStringEnd(); onStringEnd();
} }
} else { }
else {
i = j - 1; i = j - 1;
} }
break; break;
@ -177,13 +180,13 @@ ssize_t BencodeParser::parseUpdate(const char* data, size_t size)
runCharactersCallback(&data[i], nread); runCharactersCallback(&data[i], nread);
strLength_ -= nread; strLength_ -= nread;
i += nread - 1; i += nread - 1;
if(strLength_ == 0) { if (strLength_ == 0) {
onStringEnd(); onStringEnd();
} }
break; break;
} }
case BENCODE_NUMBER_SIGN: { case BENCODE_NUMBER_SIGN: {
switch(c) { switch (c) {
case '+': case '+':
numberSign_ = 1; numberSign_ = 1;
currentState_ = BENCODE_NUMBER; currentState_ = BENCODE_NUMBER;
@ -193,7 +196,7 @@ ssize_t BencodeParser::parseUpdate(const char* data, size_t size)
currentState_ = BENCODE_NUMBER; currentState_ = BENCODE_NUMBER;
break; break;
default: default:
if(util::isDigit(c)) { if (util::isDigit(c)) {
number_ = c - '0'; number_ = c - '0';
numConsumed_ = 1; numConsumed_ = 1;
currentState_ = BENCODE_NUMBER; currentState_ = BENCODE_NUMBER;
@ -203,8 +206,8 @@ ssize_t BencodeParser::parseUpdate(const char* data, size_t size)
} }
case BENCODE_NUMBER: { case BENCODE_NUMBER: {
size_t j; size_t j;
for(j = i; j < size && in(data[j], '0', '9'); ++j) { for (j = i; j < size && in(data[j], '0', '9'); ++j) {
if((INT64_MAX - (data[j] - '0'))/ 10 < number_) { if ((INT64_MAX - (data[j] - '0')) / 10 < number_) {
currentState_ = BENCODE_ERROR; currentState_ = BENCODE_ERROR;
return lastError_ = ERR_NUMBER_OUT_OF_RANGE; return lastError_ = ERR_NUMBER_OUT_OF_RANGE;
} }
@ -212,14 +215,15 @@ ssize_t BencodeParser::parseUpdate(const char* data, size_t size)
number_ += data[j] - '0'; number_ += data[j] - '0';
} }
numConsumed_ += j - i; numConsumed_ += j - i;
if(j != size) { if (j != size) {
if(data[j] != 'e' || numConsumed_ == 0) { if (data[j] != 'e' || numConsumed_ == 0) {
currentState_ = BENCODE_ERROR; currentState_ = BENCODE_ERROR;
return lastError_ = ERR_INVALID_NUMBER; return lastError_ = ERR_INVALID_NUMBER;
} }
i = j; i = j;
onNumberEnd(); onNumberEnd();
} else { }
else {
i = j - 1; i = j - 1;
} }
break; break;
@ -233,9 +237,8 @@ ssize_t BencodeParser::parseFinal(const char* data, size_t len)
{ {
ssize_t rv; ssize_t rv;
rv = parseUpdate(data, len); rv = parseUpdate(data, len);
if(rv >= 0) { if (rv >= 0) {
if(currentState_ != BENCODE_FINISH && if (currentState_ != BENCODE_FINISH && currentState_ != BENCODE_INITIAL) {
currentState_ != BENCODE_INITIAL) {
rv = ERR_PREMATURE_DATA; rv = ERR_PREMATURE_DATA;
} }
} }
@ -247,7 +250,7 @@ void BencodeParser::reset()
psm_->reset(); psm_->reset();
currentState_ = BENCODE_INITIAL; currentState_ = BENCODE_INITIAL;
lastError_ = 0; lastError_ = 0;
while(!stateStack_.empty()) { while (!stateStack_.empty()) {
stateStack_.pop(); stateStack_.pop();
} }
stateStack_.push(BENCODE_FINISH); stateStack_.push(BENCODE_FINISH);
@ -255,8 +258,8 @@ void BencodeParser::reset()
void BencodeParser::onStringEnd() void BencodeParser::onStringEnd()
{ {
runEndCallback(stateTop() == BENCODE_DICT_KEY ? runEndCallback(stateTop() == BENCODE_DICT_KEY ? STRUCT_DICT_KEY_T
STRUCT_DICT_KEY_T : STRUCT_STRING_T); : STRUCT_STRING_T);
onValueEnd(); onValueEnd();
} }
@ -281,7 +284,7 @@ void BencodeParser::onListEnd()
void BencodeParser::onValueEnd() void BencodeParser::onValueEnd()
{ {
switch(stateTop()) { switch (stateTop()) {
case BENCODE_DICT_KEY: case BENCODE_DICT_KEY:
popState(); popState();
pushState(BENCODE_DICT_VAL); pushState(BENCODE_DICT_VAL);
@ -307,18 +310,16 @@ void BencodeParser::onValueEnd()
int BencodeParser::pushState(int state) int BencodeParser::pushState(int state)
{ {
if(stateStack_.size() >= 50) { if (stateStack_.size() >= 50) {
return ERR_STRUCTURE_TOO_DEEP; return ERR_STRUCTURE_TOO_DEEP;
} else { }
else {
stateStack_.push(state); stateStack_.push(state);
return 0; return 0;
} }
} }
int BencodeParser::stateTop() const int BencodeParser::stateTop() const { return stateStack_.top(); }
{
return stateStack_.top();
}
int BencodeParser::popState() int BencodeParser::popState()
{ {

View file

@ -72,6 +72,7 @@ public:
// Resets the internal state of the parser and makes it ready for // Resets the internal state of the parser and makes it ready for
// reuse. // reuse.
void reset(); void reset();
private: private:
int pushState(int state); int pushState(int state);
int stateTop() const; int stateTop() const;

File diff suppressed because it is too large Load diff

View file

@ -92,10 +92,7 @@ public:
BitfieldMan& operator=(const BitfieldMan& bitfieldMan); BitfieldMan& operator=(const BitfieldMan& bitfieldMan);
int32_t getBlockLength() const int32_t getBlockLength() const { return blockLength_; }
{
return blockLength_;
}
int32_t getLastBlockLength() const; int32_t getLastBlockLength() const;
@ -131,9 +128,7 @@ public:
// if such bit index is found. Otherwise returns false. // if such bit index is found. Otherwise returns false.
// //
// affected by filter // affected by filter
bool getSparseMissingUnusedIndex bool getSparseMissingUnusedIndex(size_t& index, int32_t minSplitSize,
(size_t& index,
int32_t minSplitSize,
const unsigned char* ignoreBitfield, const unsigned char* ignoreBitfield,
size_t ignoreBitfieldLength) const; size_t ignoreBitfieldLength) const;
@ -151,12 +146,9 @@ public:
// result. // result.
// //
// affected by filter // affected by filter
bool getGeomMissingUnusedIndex bool getGeomMissingUnusedIndex(size_t& index, int32_t minSplitSize,
(size_t& index,
int32_t minSplitSize,
const unsigned char* ignoreBitfield, const unsigned char* ignoreBitfield,
size_t ignoreBitfieldLength, size_t ignoreBitfieldLength, double base,
double base,
size_t offsetIndex) const; size_t offsetIndex) const;
// Stores missing bit index to index. This function selects smallest // Stores missing bit index to index. This function selects smallest
@ -165,9 +157,7 @@ public:
// found. Otherwise returns false. // found. Otherwise returns false.
// //
// affected by filter // affected by filter
bool getInorderMissingUnusedIndex bool getInorderMissingUnusedIndex(size_t& index, int32_t minSplitSize,
(size_t& index,
int32_t minSplitSize,
const unsigned char* ignoreBitfield, const unsigned char* ignoreBitfield,
size_t ignoreBitfieldLength) const; size_t ignoreBitfieldLength) const;
@ -206,34 +196,19 @@ public:
// filterBitfield_ is NULL, returns false. // filterBitfield_ is NULL, returns false.
bool isFilterBitSet(size_t index) const; bool isFilterBitSet(size_t index) const;
const unsigned char* getBitfield() const const unsigned char* getBitfield() const { return bitfield_; }
{
return bitfield_;
}
size_t getBitfieldLength() const size_t getBitfieldLength() const { return bitfieldLength_; }
{
return bitfieldLength_;
}
// affected by filter // affected by filter
size_t countFilteredBlock() const size_t countFilteredBlock() const { return cachedNumFilteredBlock_; }
{
return cachedNumFilteredBlock_;
}
size_t countBlock() const size_t countBlock() const { return blocks_; }
{
return blocks_;
}
// affected by filter // affected by filter
size_t countFilteredBlockNow() const; size_t countFilteredBlockNow() const;
size_t getMaxIndex() const size_t getMaxIndex() const { return blocks_ - 1; }
{
return blocks_-1;
}
void setBitfield(const unsigned char* bitfield, size_t bitfieldLength); void setBitfield(const unsigned char* bitfield, size_t bitfieldLength);
@ -253,24 +228,15 @@ public:
void enableFilter(); void enableFilter();
void disableFilter(); void disableFilter();
bool isFilterEnabled() const bool isFilterEnabled() const { return filterEnabled_; }
{
return filterEnabled_;
}
// affected by filter // affected by filter
int64_t getFilteredTotalLength() const int64_t getFilteredTotalLength() const { return cachedFilteredTotalLength_; }
{
return cachedFilteredTotalLength_;
}
// affected by filter // affected by filter
int64_t getFilteredTotalLengthNow() const; int64_t getFilteredTotalLengthNow() const;
int64_t getCompletedLength() const int64_t getCompletedLength() const { return cachedCompletedLength_; }
{
return cachedCompletedLength_;
}
int64_t getCompletedLengthNow() const; int64_t getCompletedLengthNow() const;
@ -299,10 +265,7 @@ public:
int64_t getMissingUnusedLength(size_t startingIndex) const; int64_t getMissingUnusedLength(size_t startingIndex) const;
const unsigned char* getFilterBitfield() const const unsigned char* getFilterBitfield() const { return filterBitfield_; }
{
return filterBitfield_;
}
}; };
} // namespace aria2 } // namespace aria2

View file

@ -37,10 +37,11 @@
namespace aria2 { namespace aria2 {
BtAbortOutstandingRequestEvent::BtAbortOutstandingRequestEvent BtAbortOutstandingRequestEvent::BtAbortOutstandingRequestEvent(
(const std::shared_ptr<Piece>& piece) const std::shared_ptr<Piece>& piece)
: piece_(piece) : piece_(piece)
{} {
}
BtAbortOutstandingRequestEvent::~BtAbortOutstandingRequestEvent() {} BtAbortOutstandingRequestEvent::~BtAbortOutstandingRequestEvent() {}

View file

@ -46,6 +46,7 @@ class Piece;
class BtAbortOutstandingRequestEvent { class BtAbortOutstandingRequestEvent {
private: private:
std::shared_ptr<Piece> piece_; std::shared_ptr<Piece> piece_;
public: public:
BtAbortOutstandingRequestEvent(const std::shared_ptr<Piece>& piece); BtAbortOutstandingRequestEvent(const std::shared_ptr<Piece>& piece);
~BtAbortOutstandingRequestEvent(); ~BtAbortOutstandingRequestEvent();

View file

@ -42,22 +42,24 @@ namespace aria2 {
const char BtAllowedFastMessage::NAME[] = "allowed fast"; const char BtAllowedFastMessage::NAME[] = "allowed fast";
BtAllowedFastMessage::BtAllowedFastMessage(size_t index): BtAllowedFastMessage::BtAllowedFastMessage(size_t index)
IndexBtMessage(ID, NAME, index) {} : IndexBtMessage(ID, NAME, index)
{
}
std::unique_ptr<BtAllowedFastMessage> BtAllowedFastMessage::create std::unique_ptr<BtAllowedFastMessage>
(const unsigned char* data, size_t dataLength) BtAllowedFastMessage::create(const unsigned char* data, size_t dataLength)
{ {
return IndexBtMessage::create<BtAllowedFastMessage>(data, dataLength); return IndexBtMessage::create<BtAllowedFastMessage>(data, dataLength);
} }
void BtAllowedFastMessage::doReceivedAction() { void BtAllowedFastMessage::doReceivedAction()
if(!getPeer()->isFastExtensionEnabled()) { {
throw DL_ABORT_EX if (!getPeer()->isFastExtensionEnabled()) {
(fmt("%s received while fast extension is disabled", throw DL_ABORT_EX(fmt("%s received while fast extension is disabled",
toString().c_str())); toString().c_str()));
} }
if(isMetadataGetMode()) { if (isMetadataGetMode()) {
return; return;
} }
getPeer()->addPeerAllowedIndex(getIndex()); getPeer()->addPeerAllowedIndex(getIndex());
@ -66,10 +68,12 @@ void BtAllowedFastMessage::doReceivedAction() {
namespace { namespace {
struct ThisProgressUpdate : public ProgressUpdate { struct ThisProgressUpdate : public ProgressUpdate {
ThisProgressUpdate(std::shared_ptr<Peer> peer, size_t index) ThisProgressUpdate(std::shared_ptr<Peer> peer, size_t index)
: peer(std::move(peer)), index(index) {} : peer(std::move(peer)), index(index)
{
}
virtual void update(size_t length, bool complete) CXX11_OVERRIDE virtual void update(size_t length, bool complete) CXX11_OVERRIDE
{ {
if(complete) { if (complete) {
peer->addAmAllowedIndex(index); peer->addAmAllowedIndex(index);
} }
} }

View file

@ -47,8 +47,8 @@ public:
static const char NAME[]; static const char NAME[];
static std::unique_ptr<BtAllowedFastMessage> create static std::unique_ptr<BtAllowedFastMessage> create(const unsigned char* data,
(const unsigned char* data, size_t dataLength); size_t dataLength);
virtual void doReceivedAction() CXX11_OVERRIDE; virtual void doReceivedAction() CXX11_OVERRIDE;

View file

@ -104,8 +104,8 @@ public:
virtual void processAnnounceResponse(const unsigned char* trackerResponse, virtual void processAnnounceResponse(const unsigned char* trackerResponse,
size_t trackerResponseLength) = 0; size_t trackerResponseLength) = 0;
virtual void processUDPTrackerResponse virtual void
(const std::shared_ptr<UDPTrackerRequest>& req) = 0; processUDPTrackerResponse(const std::shared_ptr<UDPTrackerRequest>& req) = 0;
/** /**
* Returns true if no more announce is needed. * Returns true if no more announce is needed.

View file

@ -49,24 +49,23 @@ namespace aria2 {
const char BtBitfieldMessage::NAME[] = "bitfield"; const char BtBitfieldMessage::NAME[] = "bitfield";
BtBitfieldMessage::BtBitfieldMessage() BtBitfieldMessage::BtBitfieldMessage()
: SimpleBtMessage(ID, NAME), : SimpleBtMessage(ID, NAME), bitfieldLength_(0)
bitfieldLength_(0) {
{} }
BtBitfieldMessage::BtBitfieldMessage BtBitfieldMessage::BtBitfieldMessage(const unsigned char* bitfield,
(const unsigned char* bitfield, size_t bitfieldLength) size_t bitfieldLength)
: SimpleBtMessage(ID, NAME), : SimpleBtMessage(ID, NAME), bitfieldLength_(0)
bitfieldLength_(0)
{ {
setBitfield(bitfield, bitfieldLength); setBitfield(bitfield, bitfieldLength);
} }
BtBitfieldMessage::~BtBitfieldMessage() BtBitfieldMessage::~BtBitfieldMessage() {}
{}
void BtBitfieldMessage::setBitfield void BtBitfieldMessage::setBitfield(const unsigned char* bitfield,
(const unsigned char* bitfield, size_t bitfieldLength) { size_t bitfieldLength)
if(bitfield_.get() == bitfield) { {
if (bitfield_.get() == bitfield) {
return; return;
} }
@ -78,44 +77,45 @@ void BtBitfieldMessage::setBitfield
std::unique_ptr<BtBitfieldMessage> std::unique_ptr<BtBitfieldMessage>
BtBitfieldMessage::create(const unsigned char* data, size_t dataLength) BtBitfieldMessage::create(const unsigned char* data, size_t dataLength)
{ {
bittorrent::assertPayloadLengthGreater(1,dataLength, NAME); bittorrent::assertPayloadLengthGreater(1, dataLength, NAME);
bittorrent::assertID(ID, data, NAME); bittorrent::assertID(ID, data, NAME);
auto message = make_unique<BtBitfieldMessage>(); auto message = make_unique<BtBitfieldMessage>();
message->setBitfield(data+1, dataLength-1); message->setBitfield(data + 1, dataLength - 1);
return message; return message;
} }
void BtBitfieldMessage::doReceivedAction() { void BtBitfieldMessage::doReceivedAction()
if(isMetadataGetMode()) { {
if (isMetadataGetMode()) {
return; return;
} }
getPieceStorage()->updatePieceStats(bitfield_.get(), bitfieldLength_, getPieceStorage()->updatePieceStats(bitfield_.get(), bitfieldLength_,
getPeer()->getBitfield()); getPeer()->getBitfield());
getPeer()->setBitfield(bitfield_.get(), bitfieldLength_); getPeer()->setBitfield(bitfield_.get(), bitfieldLength_);
if(getPeer()->isSeeder() && getPieceStorage()->downloadFinished()) { if (getPeer()->isSeeder() && getPieceStorage()->downloadFinished()) {
throw DL_ABORT_EX(MSG_GOOD_BYE_SEEDER); throw DL_ABORT_EX(MSG_GOOD_BYE_SEEDER);
} }
} }
unsigned char* BtBitfieldMessage::createMessage() { unsigned char* BtBitfieldMessage::createMessage()
{
/** /**
* len --- 1+bitfieldLength, 4bytes * len --- 1+bitfieldLength, 4bytes
* id --- 5, 1byte * id --- 5, 1byte
* bitfield --- bitfield, bitfieldLength bytes * bitfield --- bitfield, bitfieldLength bytes
* total: 5+bitfieldLength bytes * total: 5+bitfieldLength bytes
*/ */
const size_t msgLength = 5+bitfieldLength_; const size_t msgLength = 5 + bitfieldLength_;
auto msg = new unsigned char[msgLength]; auto msg = new unsigned char[msgLength];
bittorrent::createPeerMessageString(msg, msgLength, 1+bitfieldLength_, ID); bittorrent::createPeerMessageString(msg, msgLength, 1 + bitfieldLength_, ID);
memcpy(msg+5, bitfield_.get(), bitfieldLength_); memcpy(msg + 5, bitfield_.get(), bitfieldLength_);
return msg; return msg;
} }
size_t BtBitfieldMessage::getMessageLength() { size_t BtBitfieldMessage::getMessageLength() { return 5 + bitfieldLength_; }
return 5+bitfieldLength_;
}
std::string BtBitfieldMessage::toString() const { std::string BtBitfieldMessage::toString() const
{
std::string s = NAME; std::string s = NAME;
s += " "; s += " ";
s += util::toHex(bitfield_.get(), bitfieldLength_); s += util::toHex(bitfield_.get(), bitfieldLength_);

View file

@ -43,6 +43,7 @@ class BtBitfieldMessage : public SimpleBtMessage {
private: private:
std::unique_ptr<unsigned char[]> bitfield_; std::unique_ptr<unsigned char[]> bitfield_;
size_t bitfieldLength_; size_t bitfieldLength_;
public: public:
BtBitfieldMessage(); BtBitfieldMessage();
@ -60,8 +61,8 @@ public:
size_t getBitfieldLength() const { return bitfieldLength_; } size_t getBitfieldLength() const { return bitfieldLength_; }
static std::unique_ptr<BtBitfieldMessage> create static std::unique_ptr<BtBitfieldMessage> create(const unsigned char* data,
(const unsigned char* data, size_t dataLength); size_t dataLength);
virtual void doReceivedAction() CXX11_OVERRIDE; virtual void doReceivedAction() CXX11_OVERRIDE;

View file

@ -38,19 +38,18 @@
namespace aria2 { namespace aria2 {
BtBitfieldMessageValidator::BtBitfieldMessageValidator BtBitfieldMessageValidator::BtBitfieldMessageValidator(
(const BtBitfieldMessage* message, size_t numPiece) const BtBitfieldMessage* message, size_t numPiece)
: message_(message), : message_(message), numPiece_(numPiece)
numPiece_(numPiece) {
{} }
BtBitfieldMessageValidator::~BtBitfieldMessageValidator() {} BtBitfieldMessageValidator::~BtBitfieldMessageValidator() {}
void BtBitfieldMessageValidator::validate() void BtBitfieldMessageValidator::validate()
{ {
bittorrent::checkBitfield(message_->getBitfield(), bittorrent::checkBitfield(message_->getBitfield(),
message_->getBitfieldLength(), message_->getBitfieldLength(), numPiece_);
numPiece_);
} }
} // namespace aria2 } // namespace aria2

View file

@ -45,9 +45,9 @@ class BtBitfieldMessageValidator : public BtMessageValidator {
private: private:
const BtBitfieldMessage* message_; const BtBitfieldMessage* message_;
size_t numPiece_; size_t numPiece_;
public: public:
BtBitfieldMessageValidator(const BtBitfieldMessage* message, BtBitfieldMessageValidator(const BtBitfieldMessage* message, size_t numPiece);
size_t numPiece);
~BtBitfieldMessageValidator(); ~BtBitfieldMessageValidator();
virtual void validate() CXX11_OVERRIDE; virtual void validate() CXX11_OVERRIDE;

View file

@ -39,23 +39,24 @@ namespace aria2 {
const char BtCancelMessage::NAME[] = "cancel"; const char BtCancelMessage::NAME[] = "cancel";
BtCancelMessage::BtCancelMessage BtCancelMessage::BtCancelMessage(size_t index, int32_t begin, int32_t length)
(size_t index, int32_t begin, int32_t length) : RangeBtMessage(ID, NAME, index, begin, length)
:RangeBtMessage(ID, NAME, index, begin, length) {} {
}
std::unique_ptr<BtCancelMessage> BtCancelMessage::create std::unique_ptr<BtCancelMessage>
(const unsigned char* data, size_t dataLength) BtCancelMessage::create(const unsigned char* data, size_t dataLength)
{ {
return RangeBtMessage::create<BtCancelMessage>(data, dataLength); return RangeBtMessage::create<BtCancelMessage>(data, dataLength);
} }
void BtCancelMessage::doReceivedAction() void BtCancelMessage::doReceivedAction()
{ {
if(isMetadataGetMode()) { if (isMetadataGetMode()) {
return; return;
} }
getBtMessageDispatcher()->doCancelSendingPieceAction getBtMessageDispatcher()->doCancelSendingPieceAction(getIndex(), getBegin(),
(getIndex(), getBegin(), getLength()); getLength());
} }
} // namespace aria2 } // namespace aria2

View file

@ -47,8 +47,8 @@ public:
static const char NAME[]; static const char NAME[];
static std::unique_ptr<BtCancelMessage> create static std::unique_ptr<BtCancelMessage> create(const unsigned char* data,
(const unsigned char* data, size_t dataLength); size_t dataLength);
virtual void doReceivedAction() CXX11_OVERRIDE; virtual void doReceivedAction() CXX11_OVERRIDE;
}; };

View file

@ -44,9 +44,12 @@ private:
size_t index_; size_t index_;
int32_t begin_; int32_t begin_;
int32_t length_; int32_t length_;
public: public:
BtCancelSendingPieceEvent(size_t index, int32_t begin, int32_t length): BtCancelSendingPieceEvent(size_t index, int32_t begin, int32_t length)
index_(index), begin_(begin), length_(length) {} : index_(index), begin_(begin), length_(length)
{
}
size_t getIndex() const { return index_; } size_t getIndex() const { return index_; }

View file

@ -46,55 +46,52 @@
namespace aria2 { namespace aria2 {
BtCheckIntegrityEntry::BtCheckIntegrityEntry(RequestGroup* requestGroup): BtCheckIntegrityEntry::BtCheckIntegrityEntry(RequestGroup* requestGroup)
PieceHashCheckIntegrityEntry(requestGroup, nullptr) {} : PieceHashCheckIntegrityEntry(requestGroup, nullptr)
{
}
BtCheckIntegrityEntry::~BtCheckIntegrityEntry() {} BtCheckIntegrityEntry::~BtCheckIntegrityEntry() {}
void BtCheckIntegrityEntry::onDownloadIncomplete void BtCheckIntegrityEntry::onDownloadIncomplete(
(std::vector<std::unique_ptr<Command>>& commands, DownloadEngine* e) std::vector<std::unique_ptr<Command>>& commands, DownloadEngine* e)
{ {
auto& ps = getRequestGroup()->getPieceStorage(); auto& ps = getRequestGroup()->getPieceStorage();
ps->onDownloadIncomplete(); ps->onDownloadIncomplete();
if(getRequestGroup()->getOption()->getAsBool(PREF_HASH_CHECK_ONLY)) { if (getRequestGroup()->getOption()->getAsBool(PREF_HASH_CHECK_ONLY)) {
return; return;
} }
const auto& diskAdaptor = ps->getDiskAdaptor(); const auto& diskAdaptor = ps->getDiskAdaptor();
if(diskAdaptor->isReadOnlyEnabled()) { if (diskAdaptor->isReadOnlyEnabled()) {
// Now reopen DiskAdaptor with read only disabled. // Now reopen DiskAdaptor with read only disabled.
diskAdaptor->closeFile(); diskAdaptor->closeFile();
diskAdaptor->disableReadOnly(); diskAdaptor->disableReadOnly();
diskAdaptor->openFile(); diskAdaptor->openFile();
} }
proceedFileAllocation(commands, proceedFileAllocation(
make_unique<BtFileAllocationEntry> commands, make_unique<BtFileAllocationEntry>(getRequestGroup()), e);
(getRequestGroup()),
e);
} }
void BtCheckIntegrityEntry::onDownloadFinished void BtCheckIntegrityEntry::onDownloadFinished(
(std::vector<std::unique_ptr<Command>>& commands, DownloadEngine* e) std::vector<std::unique_ptr<Command>>& commands, DownloadEngine* e)
{ {
auto group = getRequestGroup(); auto group = getRequestGroup();
const auto& option = group->getOption(); const auto& option = group->getOption();
if(option->getAsBool(PREF_BT_ENABLE_HOOK_AFTER_HASH_CHECK)) { if (option->getAsBool(PREF_BT_ENABLE_HOOK_AFTER_HASH_CHECK)) {
util::executeHookByOptName(group, option.get(), util::executeHookByOptName(group, option.get(),
PREF_ON_BT_DOWNLOAD_COMPLETE); PREF_ON_BT_DOWNLOAD_COMPLETE);
SingletonHolder<Notifier>::instance()->notifyDownloadEvent SingletonHolder<Notifier>::instance()->notifyDownloadEvent(
(EVENT_ON_BT_DOWNLOAD_COMPLETE, group); EVENT_ON_BT_DOWNLOAD_COMPLETE, group);
} }
// TODO Currently,when all the checksums // TODO Currently,when all the checksums
// are valid, then aria2 goes to seeding mode. Sometimes it is better // are valid, then aria2 goes to seeding mode. Sometimes it is better
// to exit rather than doing seeding. So, it would be good to toggle this // to exit rather than doing seeding. So, it would be good to toggle this
// behavior. // behavior.
if(!option->getAsBool(PREF_HASH_CHECK_ONLY) && if (!option->getAsBool(PREF_HASH_CHECK_ONLY) &&
option->getAsBool(PREF_BT_HASH_CHECK_SEED)) { option->getAsBool(PREF_BT_HASH_CHECK_SEED)) {
proceedFileAllocation(commands, proceedFileAllocation(
make_unique<BtFileAllocationEntry> commands, make_unique<BtFileAllocationEntry>(getRequestGroup()), e);
(getRequestGroup()),
e);
} }
} }
} // namespace aria2 } // namespace aria2

View file

@ -45,13 +45,13 @@ public:
virtual ~BtCheckIntegrityEntry(); virtual ~BtCheckIntegrityEntry();
virtual void onDownloadFinished virtual void
(std::vector<std::unique_ptr<Command>>& commands, DownloadEngine* e) onDownloadFinished(std::vector<std::unique_ptr<Command>>& commands,
CXX11_OVERRIDE; DownloadEngine* e) CXX11_OVERRIDE;
virtual void onDownloadIncomplete virtual void
(std::vector<std::unique_ptr<Command>>& commands, DownloadEngine* e) onDownloadIncomplete(std::vector<std::unique_ptr<Command>>& commands,
CXX11_OVERRIDE; DownloadEngine* e) CXX11_OVERRIDE;
}; };
} // namespace aria2 } // namespace aria2

View file

@ -42,17 +42,17 @@ namespace aria2 {
const char BtChokeMessage::NAME[] = "choke"; const char BtChokeMessage::NAME[] = "choke";
BtChokeMessage::BtChokeMessage():ZeroBtMessage{ID, NAME} {} BtChokeMessage::BtChokeMessage() : ZeroBtMessage{ID, NAME} {}
std::unique_ptr<BtChokeMessage> BtChokeMessage::create std::unique_ptr<BtChokeMessage>
(const unsigned char* data, size_t dataLength) BtChokeMessage::create(const unsigned char* data, size_t dataLength)
{ {
return ZeroBtMessage::create<BtChokeMessage>(data, dataLength); return ZeroBtMessage::create<BtChokeMessage>(data, dataLength);
} }
void BtChokeMessage::doReceivedAction() void BtChokeMessage::doReceivedAction()
{ {
if(isMetadataGetMode()) { if (isMetadataGetMode()) {
return; return;
} }
getPeer()->peerChoking(true); getPeer()->peerChoking(true);
@ -60,19 +60,17 @@ void BtChokeMessage::doReceivedAction()
getBtRequestFactory()->doChokedAction(); getBtRequestFactory()->doChokedAction();
} }
bool BtChokeMessage::sendPredicate() const bool BtChokeMessage::sendPredicate() const { return !getPeer()->amChoking(); }
{
return !getPeer()->amChoking();
}
namespace { namespace {
struct ThisProgressUpdate : public ProgressUpdate { struct ThisProgressUpdate : public ProgressUpdate {
ThisProgressUpdate(std::shared_ptr<Peer> peer, ThisProgressUpdate(std::shared_ptr<Peer> peer, BtMessageDispatcher* disp)
BtMessageDispatcher* disp) : peer(std::move(peer)), disp(disp)
: peer(std::move(peer)), disp(disp) {} {
}
virtual void update(size_t length, bool complete) CXX11_OVERRIDE virtual void update(size_t length, bool complete) CXX11_OVERRIDE
{ {
if(complete) { if (complete) {
peer->amChoking(true); peer->amChoking(true);
disp->doChokingAction(); disp->doChokingAction();
} }

View file

@ -49,8 +49,8 @@ public:
virtual void doReceivedAction() CXX11_OVERRIDE; virtual void doReceivedAction() CXX11_OVERRIDE;
static std::unique_ptr<BtChokeMessage> create static std::unique_ptr<BtChokeMessage> create(const unsigned char* data,
(const unsigned char* data, size_t dataLength); size_t dataLength);
virtual bool sendPredicate() const CXX11_OVERRIDE; virtual bool sendPredicate() const CXX11_OVERRIDE;

View file

@ -39,7 +39,8 @@
namespace aria2 { namespace aria2 {
class BtChokingEvent {}; class BtChokingEvent {
};
} // namespace aria2 } // namespace aria2

View file

@ -53,12 +53,11 @@
namespace aria2 { namespace aria2 {
BtDependency::BtDependency BtDependency::BtDependency(RequestGroup* dependant,
(RequestGroup* dependant,
const std::shared_ptr<RequestGroup>& dependee) const std::shared_ptr<RequestGroup>& dependee)
: dependant_(dependant), : dependant_(dependant), dependee_(dependee)
dependee_(dependee) {
{} }
BtDependency::~BtDependency() {} BtDependency::~BtDependency() {}
@ -77,8 +76,7 @@ void copyValues(const std::shared_ptr<FileEntry>& d,
namespace { namespace {
struct EntryCmp { struct EntryCmp {
bool operator() bool operator()(const std::shared_ptr<FileEntry>& lhs,
(const std::shared_ptr<FileEntry>& lhs,
const std::shared_ptr<FileEntry>& rhs) const const std::shared_ptr<FileEntry>& rhs) const
{ {
return lhs->getOriginalName() < rhs->getOriginalName(); return lhs->getOriginalName() < rhs->getOriginalName();
@ -88,10 +86,10 @@ struct EntryCmp {
bool BtDependency::resolve() bool BtDependency::resolve()
{ {
if(!dependee_) { if (!dependee_) {
return true; return true;
} }
if(dependee_->getNumCommand() == 0 && dependee_->downloadFinished()) { if (dependee_->getNumCommand() == 0 && dependee_->downloadFinished()) {
std::shared_ptr<RequestGroup> dependee = dependee_; std::shared_ptr<RequestGroup> dependee = dependee_;
// cut reference here // cut reference here
dependee_.reset(); dependee_.reset();
@ -101,40 +99,41 @@ bool BtDependency::resolve()
dependee->getPieceStorage()->getDiskAdaptor(); dependee->getPieceStorage()->getDiskAdaptor();
diskAdaptor->openExistingFile(); diskAdaptor->openExistingFile();
std::string content = util::toString(diskAdaptor); std::string content = util::toString(diskAdaptor);
if(dependee->getDownloadContext()->hasAttribute(CTX_ATTR_BT)) { if (dependee->getDownloadContext()->hasAttribute(CTX_ATTR_BT)) {
auto attrs = auto attrs =
bittorrent::getTorrentAttrs(dependee->getDownloadContext()); bittorrent::getTorrentAttrs(dependee->getDownloadContext());
bittorrent::loadFromMemory bittorrent::loadFromMemory(bittorrent::metadata2Torrent(content, attrs),
(bittorrent::metadata2Torrent(content, attrs), context, context, dependant_->getOption(), "default");
dependant_->getOption(), "default");
// We don't call bittorrent::adjustAnnounceUri() because it // We don't call bittorrent::adjustAnnounceUri() because it
// has already been called with attrs. // has already been called with attrs.
} else { }
bittorrent::loadFromMemory else {
(content, context, dependant_->getOption(), bittorrent::loadFromMemory(
content, context, dependant_->getOption(),
File(dependee->getFirstFilePath()).getBasename()); File(dependee->getFirstFilePath()).getBasename());
bittorrent::adjustAnnounceUri(bittorrent::getTorrentAttrs(context), bittorrent::adjustAnnounceUri(bittorrent::getTorrentAttrs(context),
dependant_->getOption()); dependant_->getOption());
} }
const std::vector<std::shared_ptr<FileEntry> >& fileEntries = const std::vector<std::shared_ptr<FileEntry>>& fileEntries =
context->getFileEntries(); context->getFileEntries();
for (auto &fe : fileEntries) { for (auto& fe : fileEntries) {
auto &uri = fe->getRemainingUris(); auto& uri = fe->getRemainingUris();
std::shuffle(std::begin(uri), std::end(uri), std::shuffle(std::begin(uri), std::end(uri),
*SimpleRandomizer::getInstance()); *SimpleRandomizer::getInstance());
} }
const std::vector<std::shared_ptr<FileEntry> >& dependantFileEntries = const std::vector<std::shared_ptr<FileEntry>>& dependantFileEntries =
dependant_->getDownloadContext()->getFileEntries(); dependant_->getDownloadContext()->getFileEntries();
// If dependant's FileEntry::getOriginalName() is empty, we // If dependant's FileEntry::getOriginalName() is empty, we
// assume that torrent is single file. In Metalink3, this is // assume that torrent is single file. In Metalink3, this is
// always assumed. // always assumed.
if(fileEntries.size() == 1 && dependantFileEntries.size() == 1 && if (fileEntries.size() == 1 && dependantFileEntries.size() == 1 &&
dependantFileEntries[0]->getOriginalName().empty()) { dependantFileEntries[0]->getOriginalName().empty()) {
copyValues(fileEntries[0], dependantFileEntries[0]); copyValues(fileEntries[0], dependantFileEntries[0]);
} else { }
std::vector<std::shared_ptr<FileEntry> > destFiles; else {
std::vector<std::shared_ptr<FileEntry>> destFiles;
destFiles.reserve(fileEntries.size()); destFiles.reserve(fileEntries.size());
for(auto & e : fileEntries) { for (auto& e : fileEntries) {
e->setRequested(false); e->setRequested(false);
destFiles.push_back(e); destFiles.push_back(e);
} }
@ -142,19 +141,21 @@ bool BtDependency::resolve()
// Copy file path in dependant_'s FileEntries to newly created // Copy file path in dependant_'s FileEntries to newly created
// context's FileEntries to endorse the path structure of // context's FileEntries to endorse the path structure of
// dependant_. URIs and singleHostMultiConnection are also copied. // dependant_. URIs and singleHostMultiConnection are also copied.
for(const auto& e: dependantFileEntries){ for (const auto& e : dependantFileEntries) {
const auto d = std::lower_bound(std::begin(destFiles), const auto d = std::lower_bound(std::begin(destFiles),
std::end(destFiles), e, EntryCmp()); std::end(destFiles), e, EntryCmp());
if(d == std::end(destFiles) || if (d == std::end(destFiles) ||
(*d)->getOriginalName() != e->getOriginalName()) { (*d)->getOriginalName() != e->getOriginalName()) {
throw DL_ABORT_EX throw DL_ABORT_EX(fmt("No entry %s in torrent file",
(fmt("No entry %s in torrent file", e->getOriginalName().c_str())); e->getOriginalName().c_str()));
} else { }
else {
copyValues(*d, e); copyValues(*d, e);
} }
} }
} }
} catch(RecoverableException& e) { }
catch (RecoverableException& e) {
A2_LOG_ERROR_EX(EX_EXCEPTION_CAUGHT, e); A2_LOG_ERROR_EX(EX_EXCEPTION_CAUGHT, e);
A2_LOG_INFO(fmt("BtDependency for GID#%s failed. Go without Bt.", A2_LOG_INFO(fmt("BtDependency for GID#%s failed. Go without Bt.",
GroupId::toHex(dependant_->getGID()).c_str())); GroupId::toHex(dependant_->getGID()).c_str()));
@ -164,14 +165,16 @@ bool BtDependency::resolve()
GroupId::toHex(dependant_->getGID()).c_str())); GroupId::toHex(dependant_->getGID()).c_str()));
dependant_->setDownloadContext(context); dependant_->setDownloadContext(context);
return true; return true;
} else if(dependee_->getNumCommand() == 0) { }
else if (dependee_->getNumCommand() == 0) {
// dependee_'s download failed. // dependee_'s download failed.
// cut reference here // cut reference here
dependee_.reset(); dependee_.reset();
A2_LOG_INFO(fmt("BtDependency for GID#%s failed. Go without Bt.", A2_LOG_INFO(fmt("BtDependency for GID#%s failed. Go without Bt.",
GroupId::toHex(dependant_->getGID()).c_str())); GroupId::toHex(dependant_->getGID()).c_str()));
return true; return true;
} else { }
else {
return false; return false;
} }
} }

View file

@ -44,11 +44,11 @@ namespace aria2 {
class RequestGroup; class RequestGroup;
class Option; class Option;
class BtDependency : public Dependency class BtDependency : public Dependency {
{
private: private:
RequestGroup* dependant_; RequestGroup* dependant_;
std::shared_ptr<RequestGroup> dependee_; std::shared_ptr<RequestGroup> dependee_;
public: public:
BtDependency(RequestGroup* dependant, BtDependency(RequestGroup* dependant,
const std::shared_ptr<RequestGroup>& dependee); const std::shared_ptr<RequestGroup>& dependee);

View file

@ -50,12 +50,13 @@ namespace aria2 {
const char BtExtendedMessage::NAME[] = "extended"; const char BtExtendedMessage::NAME[] = "extended";
BtExtendedMessage::BtExtendedMessage BtExtendedMessage::BtExtendedMessage(
(std::unique_ptr<ExtensionMessage> extensionMessage): std::unique_ptr<ExtensionMessage> extensionMessage)
SimpleBtMessage(ID, NAME), : SimpleBtMessage(ID, NAME),
extensionMessage_(std::move(extensionMessage)), extensionMessage_(std::move(extensionMessage)),
msgLength_(0) msgLength_(0)
{} {
}
unsigned char* BtExtendedMessage::createMessage() unsigned char* BtExtendedMessage::createMessage()
{ {
@ -67,17 +68,18 @@ unsigned char* BtExtendedMessage::createMessage()
* total: 6+extpayload.length bytes * total: 6+extpayload.length bytes
*/ */
std::string payload = extensionMessage_->getPayload(); std::string payload = extensionMessage_->getPayload();
msgLength_ = 6+payload.size(); msgLength_ = 6 + payload.size();
auto msg = new unsigned char[msgLength_]; auto msg = new unsigned char[msgLength_];
bittorrent::createPeerMessageString(msg, msgLength_, 2+payload.size(), ID); bittorrent::createPeerMessageString(msg, msgLength_, 2 + payload.size(), ID);
*(msg+5) = extensionMessage_->getExtensionMessageID(); *(msg + 5) = extensionMessage_->getExtensionMessageID();
memcpy(msg+6, payload.data(), payload.size()); memcpy(msg + 6, payload.data(), payload.size());
return msg; return msg;
} }
size_t BtExtendedMessage::getMessageLength() { size_t BtExtendedMessage::getMessageLength()
if(!msgLength_) { {
msgLength_ = 6+extensionMessage_->getPayload().size(); if (!msgLength_) {
msgLength_ = 6 + extensionMessage_->getPayload().size();
} }
return msgLength_; return msgLength_;
} }
@ -87,7 +89,8 @@ bool BtExtendedMessage::sendPredicate() const
return getPeer()->isExtendedMessagingEnabled(); return getPeer()->isExtendedMessagingEnabled();
} }
std::string BtExtendedMessage::toString() const { std::string BtExtendedMessage::toString() const
{
std::string s = NAME; std::string s = NAME;
s += " "; s += " ";
s += extensionMessage_->toString(); s += extensionMessage_->toString();
@ -102,13 +105,13 @@ BtExtendedMessage::create(ExtensionMessageFactory* factory,
bittorrent::assertPayloadLengthGreater(1, dataLength, NAME); bittorrent::assertPayloadLengthGreater(1, dataLength, NAME);
bittorrent::assertID(ID, data, NAME); bittorrent::assertID(ID, data, NAME);
assert(factory); assert(factory);
return make_unique<BtExtendedMessage> return make_unique<BtExtendedMessage>(
(factory->createMessage(data+1, dataLength-1)); factory->createMessage(data + 1, dataLength - 1));
} }
void BtExtendedMessage::doReceivedAction() void BtExtendedMessage::doReceivedAction()
{ {
if(extensionMessage_) { if (extensionMessage_) {
extensionMessage_->doReceivedAction(); extensionMessage_->doReceivedAction();
} }
} }

View file

@ -41,12 +41,12 @@ namespace aria2 {
class ExtensionMessage; class ExtensionMessage;
class ExtensionMessageFactory; class ExtensionMessageFactory;
class BtExtendedMessage:public SimpleBtMessage class BtExtendedMessage : public SimpleBtMessage {
{
private: private:
std::unique_ptr<ExtensionMessage> extensionMessage_; std::unique_ptr<ExtensionMessage> extensionMessage_;
size_t msgLength_; size_t msgLength_;
public: public:
BtExtendedMessage(std::unique_ptr<ExtensionMessage> extensionMessage = BtExtendedMessage(std::unique_ptr<ExtensionMessage> extensionMessage =
std::unique_ptr<ExtensionMessage>{}); std::unique_ptr<ExtensionMessage>{});
@ -55,11 +55,9 @@ public:
static const char NAME[]; static const char NAME[];
static std::unique_ptr<BtExtendedMessage> create static std::unique_ptr<BtExtendedMessage>
(ExtensionMessageFactory* factory, create(ExtensionMessageFactory* factory, const std::shared_ptr<Peer>& peer,
const std::shared_ptr<Peer>& peer, const unsigned char* data, size_t dataLength);
const unsigned char* data,
size_t dataLength);
virtual void doReceivedAction() CXX11_OVERRIDE; virtual void doReceivedAction() CXX11_OVERRIDE;

View file

@ -50,36 +50,39 @@
namespace aria2 { namespace aria2 {
BtFileAllocationEntry::BtFileAllocationEntry(RequestGroup* requestGroup): BtFileAllocationEntry::BtFileAllocationEntry(RequestGroup* requestGroup)
FileAllocationEntry(requestGroup, nullptr) {} : FileAllocationEntry(requestGroup, nullptr)
{
}
BtFileAllocationEntry::~BtFileAllocationEntry() {} BtFileAllocationEntry::~BtFileAllocationEntry() {}
void BtFileAllocationEntry::prepareForNextAction void BtFileAllocationEntry::prepareForNextAction(
(std::vector<std::unique_ptr<Command>>& commands, DownloadEngine* e) std::vector<std::unique_ptr<Command>>& commands, DownloadEngine* e)
{ {
auto &option = getRequestGroup()->getOption(); auto& option = getRequestGroup()->getOption();
BtSetup().setup(commands, getRequestGroup(), e, option.get()); BtSetup().setup(commands, getRequestGroup(), e, option.get());
if(option->getAsBool(PREF_ENABLE_MMAP) && if (option->getAsBool(PREF_ENABLE_MMAP) &&
option->get(PREF_FILE_ALLOCATION) != V_NONE) { option->get(PREF_FILE_ALLOCATION) != V_NONE) {
getRequestGroup()->getPieceStorage()->getDiskAdaptor()->enableMmap(); getRequestGroup()->getPieceStorage()->getDiskAdaptor()->enableMmap();
} }
if(!getRequestGroup()->downloadFinished()) { if (!getRequestGroup()->downloadFinished()) {
// For DownloadContext::resetDownloadStartTime(), see also // For DownloadContext::resetDownloadStartTime(), see also
// RequestGroup::createInitialCommand() // RequestGroup::createInitialCommand()
getRequestGroup()->getDownloadContext()->resetDownloadStartTime(); getRequestGroup()->getDownloadContext()->resetDownloadStartTime();
const std::vector<std::shared_ptr<FileEntry> >& fileEntries = const std::vector<std::shared_ptr<FileEntry>>& fileEntries =
getRequestGroup()->getDownloadContext()->getFileEntries(); getRequestGroup()->getDownloadContext()->getFileEntries();
if(isUriSuppliedForRequsetFileEntry if (isUriSuppliedForRequsetFileEntry(std::begin(fileEntries),
(std::begin(fileEntries), std::end(fileEntries))) { std::end(fileEntries))) {
getRequestGroup()->createNextCommandWithAdj(commands, e, 0); getRequestGroup()->createNextCommandWithAdj(commands, e, 0);
} }
} else { }
else {
#ifdef __MINGW32__ #ifdef __MINGW32__
const std::shared_ptr<DiskAdaptor>& diskAdaptor = const std::shared_ptr<DiskAdaptor>& diskAdaptor =
getRequestGroup()->getPieceStorage()->getDiskAdaptor(); getRequestGroup()->getPieceStorage()->getDiskAdaptor();
if(!diskAdaptor->isReadOnlyEnabled()) { if (!diskAdaptor->isReadOnlyEnabled()) {
// On Windows, if aria2 opens files with GENERIC_WRITE access // On Windows, if aria2 opens files with GENERIC_WRITE access
// right, some programs cannot open them aria2 is seeding. To // right, some programs cannot open them aria2 is seeding. To
// avoid this situation, re-open the files with read-only // avoid this situation, re-open the files with read-only

View file

@ -45,9 +45,9 @@ public:
virtual ~BtFileAllocationEntry(); virtual ~BtFileAllocationEntry();
virtual void prepareForNextAction virtual void
(std::vector<std::unique_ptr<Command>>& commands, DownloadEngine* e) prepareForNextAction(std::vector<std::unique_ptr<Command>>& commands,
CXX11_OVERRIDE; DownloadEngine* e) CXX11_OVERRIDE;
}; };
} // namespace aria2 } // namespace aria2

View file

@ -47,21 +47,19 @@ const char BtHandshakeMessage::NAME[] = "handshake";
const unsigned char* BtHandshakeMessage::BT_PSTR = const unsigned char* BtHandshakeMessage::BT_PSTR =
reinterpret_cast<const unsigned char*>("BitTorrent protocol"); reinterpret_cast<const unsigned char*>("BitTorrent protocol");
BtHandshakeMessage::BtHandshakeMessage():SimpleBtMessage(ID, NAME) BtHandshakeMessage::BtHandshakeMessage() : SimpleBtMessage(ID, NAME) { init(); }
{
init();
}
BtHandshakeMessage::BtHandshakeMessage(const unsigned char* infoHash, BtHandshakeMessage::BtHandshakeMessage(const unsigned char* infoHash,
const unsigned char* peerId): const unsigned char* peerId)
SimpleBtMessage(ID, NAME) : SimpleBtMessage(ID, NAME)
{ {
init(); init();
memcpy(infoHash_, infoHash, INFO_HASH_LENGTH); memcpy(infoHash_, infoHash, INFO_HASH_LENGTH);
memcpy(peerId_, peerId, PEER_ID_LENGTH); memcpy(peerId_, peerId, PEER_ID_LENGTH);
} }
void BtHandshakeMessage::init() { void BtHandshakeMessage::init()
{
pstrlen_ = 19; pstrlen_ = 19;
pstr_ = new unsigned char[PSTR_LENGTH]; pstr_ = new unsigned char[PSTR_LENGTH];
reserved_ = new unsigned char[RESERVED_LENGTH]; reserved_ = new unsigned char[RESERVED_LENGTH];
@ -91,37 +89,33 @@ unsigned char* BtHandshakeMessage::createMessage()
{ {
auto msg = new unsigned char[MESSAGE_LENGTH]; auto msg = new unsigned char[MESSAGE_LENGTH];
msg[0] = pstrlen_; msg[0] = pstrlen_;
memcpy(msg+1, pstr_, PSTR_LENGTH); memcpy(msg + 1, pstr_, PSTR_LENGTH);
memcpy(msg+20, reserved_, RESERVED_LENGTH); memcpy(msg + 20, reserved_, RESERVED_LENGTH);
memcpy(msg+28, infoHash_, INFO_HASH_LENGTH); memcpy(msg + 28, infoHash_, INFO_HASH_LENGTH);
memcpy(msg+48, peerId_, PEER_ID_LENGTH); memcpy(msg + 48, peerId_, PEER_ID_LENGTH);
return msg; return msg;
} }
size_t BtHandshakeMessage::getMessageLength() { size_t BtHandshakeMessage::getMessageLength() { return MESSAGE_LENGTH; }
return MESSAGE_LENGTH;
}
std::string BtHandshakeMessage::toString() const { std::string BtHandshakeMessage::toString() const
return fmt("%s peerId=%s, reserved=%s", {
NAME, return fmt("%s peerId=%s, reserved=%s", NAME,
util::percentEncode(peerId_, PEER_ID_LENGTH).c_str(), util::percentEncode(peerId_, PEER_ID_LENGTH).c_str(),
util::toHex(reserved_, RESERVED_LENGTH).c_str()); util::toHex(reserved_, RESERVED_LENGTH).c_str());
} }
bool BtHandshakeMessage::isFastExtensionSupported() const { bool BtHandshakeMessage::isFastExtensionSupported() const
return reserved_[7]&0x04u; {
return reserved_[7] & 0x04u;
} }
bool BtHandshakeMessage::isExtendedMessagingEnabled() const bool BtHandshakeMessage::isExtendedMessagingEnabled() const
{ {
return reserved_[5]&0x10u; return reserved_[5] & 0x10u;
} }
bool BtHandshakeMessage::isDHTEnabled() const bool BtHandshakeMessage::isDHTEnabled() const { return reserved_[7] & 0x01u; }
{
return reserved_[7]&0x01u;
}
void BtHandshakeMessage::setInfoHash(const unsigned char* infoHash) void BtHandshakeMessage::setInfoHash(const unsigned char* infoHash)
{ {

View file

@ -45,6 +45,7 @@ public:
static const unsigned char* BT_PSTR; static const unsigned char* BT_PSTR;
static const size_t RESERVED_LENGTH = 8; static const size_t RESERVED_LENGTH = 8;
static const size_t MESSAGE_LENGTH = 68; static const size_t MESSAGE_LENGTH = 68;
private: private:
uint8_t pstrlen_; uint8_t pstrlen_;
unsigned char* pstr_; unsigned char* pstr_;
@ -52,29 +53,32 @@ private:
unsigned char* infoHash_; unsigned char* infoHash_;
unsigned char* peerId_; unsigned char* peerId_;
void init(); void init();
public: public:
BtHandshakeMessage(); BtHandshakeMessage();
/** /**
* infoHash must be 20 byte length. * infoHash must be 20 byte length.
* peerId must be 20 byte length. * peerId must be 20 byte length.
*/ */
BtHandshakeMessage(const unsigned char* infoHash, const unsigned char* peerId); BtHandshakeMessage(const unsigned char* infoHash,
const unsigned char* peerId);
static std::unique_ptr<BtHandshakeMessage> static std::unique_ptr<BtHandshakeMessage> create(const unsigned char* data,
create(const unsigned char* data, size_t dataLength); size_t dataLength);
virtual ~BtHandshakeMessage() { virtual ~BtHandshakeMessage()
delete [] pstr_; {
delete [] reserved_; delete[] pstr_;
delete [] infoHash_; delete[] reserved_;
delete [] peerId_; delete[] infoHash_;
delete[] peerId_;
} }
static const uint8_t ID = INT8_MAX; static const uint8_t ID = INT8_MAX;
static const char NAME[]; static const char NAME[];
virtual void doReceivedAction() CXX11_OVERRIDE {}; virtual void doReceivedAction() CXX11_OVERRIDE{};
virtual unsigned char* createMessage() CXX11_OVERRIDE; virtual unsigned char* createMessage() CXX11_OVERRIDE;
@ -90,34 +94,25 @@ public:
void setDHTEnabled(bool enabled) void setDHTEnabled(bool enabled)
{ {
if(enabled) { if (enabled) {
reserved_[7] |= 0x01u; reserved_[7] |= 0x01u;
} else { }
else {
reserved_[7] &= ~0x01u; reserved_[7] &= ~0x01u;
} }
} }
uint8_t getPstrlen() const { uint8_t getPstrlen() const { return pstrlen_; }
return pstrlen_;
}
const unsigned char* getPstr() const { const unsigned char* getPstr() const { return pstr_; }
return pstr_;
}
const unsigned char* getReserved() const { const unsigned char* getReserved() const { return reserved_; }
return reserved_;
}
const unsigned char* getInfoHash() const { const unsigned char* getInfoHash() const { return infoHash_; }
return infoHash_;
}
void setInfoHash(const unsigned char* infoHash); void setInfoHash(const unsigned char* infoHash);
const unsigned char* getPeerId() const { const unsigned char* getPeerId() const { return peerId_; }
return peerId_;
}
void setPeerId(const unsigned char* peerId); void setPeerId(const unsigned char* peerId);
}; };

View file

@ -43,8 +43,8 @@
namespace aria2 { namespace aria2 {
BtHandshakeMessageValidator::BtHandshakeMessageValidator BtHandshakeMessageValidator::BtHandshakeMessageValidator(
(const BtHandshakeMessage* message, const unsigned char* infoHash) const BtHandshakeMessage* message, const unsigned char* infoHash)
: message_(message) : message_(message)
{ {
memcpy(infoHash_, infoHash, sizeof(infoHash_)); memcpy(infoHash_, infoHash, sizeof(infoHash_));
@ -54,22 +54,20 @@ BtHandshakeMessageValidator::~BtHandshakeMessageValidator() {}
void BtHandshakeMessageValidator::validate() void BtHandshakeMessageValidator::validate()
{ {
if(message_->getPstrlen() != 19) { if (message_->getPstrlen() != 19) {
throw DL_ABORT_EX(fmt("invalid handshake pstrlen=%u", throw DL_ABORT_EX(
message_->getPstrlen())); fmt("invalid handshake pstrlen=%u", message_->getPstrlen()));
} }
if(memcmp(BtHandshakeMessage::BT_PSTR, message_->getPstr(), 19) != 0) { if (memcmp(BtHandshakeMessage::BT_PSTR, message_->getPstr(), 19) != 0) {
throw DL_ABORT_EX throw DL_ABORT_EX(
(fmt("invalid handshake pstr=%s", fmt("invalid handshake pstr=%s",
util::percentEncode util::percentEncode(message_->getPstr(), 19).c_str()));
(message_->getPstr(), 19).c_str()));
} }
if(memcmp(infoHash_, message_->getInfoHash(), sizeof(infoHash_)) != 0) { if (memcmp(infoHash_, message_->getInfoHash(), sizeof(infoHash_)) != 0) {
throw DL_ABORT_EX throw DL_ABORT_EX(
(fmt("invalid handshake info hash: expected:%s, actual:%s", fmt("invalid handshake info hash: expected:%s, actual:%s",
util::toHex(infoHash_, sizeof(infoHash_)).c_str(), util::toHex(infoHash_, sizeof(infoHash_)).c_str(),
util::toHex(message_->getInfoHash(), util::toHex(message_->getInfoHash(), INFO_HASH_LENGTH).c_str()));
INFO_HASH_LENGTH).c_str()));
} }
} }

View file

@ -49,6 +49,7 @@ class BtHandshakeMessageValidator : public BtMessageValidator {
private: private:
const BtHandshakeMessage* message_; const BtHandshakeMessage* message_;
unsigned char infoHash_[INFO_HASH_LENGTH]; unsigned char infoHash_[INFO_HASH_LENGTH];
public: public:
BtHandshakeMessageValidator(const BtHandshakeMessage* message, BtHandshakeMessageValidator(const BtHandshakeMessage* message,
const unsigned char* infoHash); const unsigned char* infoHash);

View file

@ -43,30 +43,29 @@ namespace aria2 {
const char BtHaveAllMessage::NAME[] = "have all"; const char BtHaveAllMessage::NAME[] = "have all";
BtHaveAllMessage::BtHaveAllMessage():ZeroBtMessage(ID, NAME) {} BtHaveAllMessage::BtHaveAllMessage() : ZeroBtMessage(ID, NAME) {}
std::unique_ptr<BtHaveAllMessage> BtHaveAllMessage::create std::unique_ptr<BtHaveAllMessage>
(const unsigned char* data, size_t dataLength) BtHaveAllMessage::create(const unsigned char* data, size_t dataLength)
{ {
return ZeroBtMessage::create<BtHaveAllMessage>(data, dataLength); return ZeroBtMessage::create<BtHaveAllMessage>(data, dataLength);
} }
void BtHaveAllMessage::doReceivedAction() void BtHaveAllMessage::doReceivedAction()
{ {
if(!getPeer()->isFastExtensionEnabled()) { if (!getPeer()->isFastExtensionEnabled()) {
throw DL_ABORT_EX throw DL_ABORT_EX(fmt("%s received while fast extension is disabled",
(fmt("%s received while fast extension is disabled",
toString().c_str())); toString().c_str()));
} }
if(isMetadataGetMode()) { if (isMetadataGetMode()) {
return; return;
} }
getPieceStorage()->subtractPieceStats(getPeer()->getBitfield(), getPieceStorage()->subtractPieceStats(getPeer()->getBitfield(),
getPeer()->getBitfieldLength()); getPeer()->getBitfieldLength());
getPeer()->setAllBitfield(); getPeer()->setAllBitfield();
getPieceStorage()->addPieceStats getPieceStorage()->addPieceStats(getPeer()->getBitfield(),
(getPeer()->getBitfield(), getPeer()->getBitfieldLength()); getPeer()->getBitfieldLength());
if(getPeer()->isSeeder() && getPieceStorage()->downloadFinished()) { if (getPeer()->isSeeder() && getPieceStorage()->downloadFinished()) {
throw DL_ABORT_EX(MSG_GOOD_BYE_SEEDER); throw DL_ABORT_EX(MSG_GOOD_BYE_SEEDER);
} }
} }

View file

@ -47,8 +47,8 @@ public:
static const char NAME[]; static const char NAME[];
static std::unique_ptr<BtHaveAllMessage> create static std::unique_ptr<BtHaveAllMessage> create(const unsigned char* data,
(const unsigned char* data, size_t dataLength); size_t dataLength);
virtual void doReceivedAction() CXX11_OVERRIDE; virtual void doReceivedAction() CXX11_OVERRIDE;
}; };

View file

@ -42,24 +42,24 @@ namespace aria2 {
const char BtHaveMessage::NAME[] = "have"; const char BtHaveMessage::NAME[] = "have";
BtHaveMessage::BtHaveMessage(size_t index):IndexBtMessage(ID, NAME, index) {} BtHaveMessage::BtHaveMessage(size_t index) : IndexBtMessage(ID, NAME, index) {}
std::unique_ptr<BtHaveMessage> BtHaveMessage::create std::unique_ptr<BtHaveMessage> BtHaveMessage::create(const unsigned char* data,
(const unsigned char* data, size_t dataLength) size_t dataLength)
{ {
return IndexBtMessage::create<BtHaveMessage>(data, dataLength); return IndexBtMessage::create<BtHaveMessage>(data, dataLength);
} }
void BtHaveMessage::doReceivedAction() void BtHaveMessage::doReceivedAction()
{ {
if(isMetadataGetMode()) { if (isMetadataGetMode()) {
return; return;
} }
size_t index = getIndex(); size_t index = getIndex();
if(!getPeer()->hasPiece(index)) { if (!getPeer()->hasPiece(index)) {
getPeer()->updateBitfield(index, 1); getPeer()->updateBitfield(index, 1);
getPieceStorage()->addPieceStats(index); getPieceStorage()->addPieceStats(index);
if(getPeer()->isSeeder() && getPieceStorage()->downloadFinished()) { if (getPeer()->isSeeder() && getPieceStorage()->downloadFinished()) {
throw DL_ABORT_EX(MSG_GOOD_BYE_SEEDER); throw DL_ABORT_EX(MSG_GOOD_BYE_SEEDER);
} }
} }

View file

@ -47,8 +47,8 @@ public:
static const char NAME[]; static const char NAME[];
static std::unique_ptr<BtHaveMessage> create static std::unique_ptr<BtHaveMessage> create(const unsigned char* data,
(const unsigned char* data, size_t dataLength); size_t dataLength);
virtual void doReceivedAction() CXX11_OVERRIDE; virtual void doReceivedAction() CXX11_OVERRIDE;
}; };

View file

@ -41,19 +41,18 @@ namespace aria2 {
const char BtHaveNoneMessage::NAME[] = "have none"; const char BtHaveNoneMessage::NAME[] = "have none";
BtHaveNoneMessage::BtHaveNoneMessage():ZeroBtMessage(ID, NAME) {} BtHaveNoneMessage::BtHaveNoneMessage() : ZeroBtMessage(ID, NAME) {}
std::unique_ptr<BtHaveNoneMessage> BtHaveNoneMessage::create std::unique_ptr<BtHaveNoneMessage>
(const unsigned char* data, size_t dataLength) BtHaveNoneMessage::create(const unsigned char* data, size_t dataLength)
{ {
return ZeroBtMessage::create<BtHaveNoneMessage>(data, dataLength); return ZeroBtMessage::create<BtHaveNoneMessage>(data, dataLength);
} }
void BtHaveNoneMessage::doReceivedAction() void BtHaveNoneMessage::doReceivedAction()
{ {
if(!getPeer()->isFastExtensionEnabled()) { if (!getPeer()->isFastExtensionEnabled()) {
throw DL_ABORT_EX throw DL_ABORT_EX(fmt("%s received while fast extension is disabled",
(fmt("%s received while fast extension is disabled",
toString().c_str())); toString().c_str()));
} }
} }

View file

@ -47,8 +47,8 @@ public:
static const char NAME[]; static const char NAME[];
static std::unique_ptr<BtHaveNoneMessage> create static std::unique_ptr<BtHaveNoneMessage> create(const unsigned char* data,
(const unsigned char* data, size_t dataLength); size_t dataLength);
virtual void doReceivedAction() CXX11_OVERRIDE; virtual void doReceivedAction() CXX11_OVERRIDE;
}; };

View file

@ -41,7 +41,6 @@
namespace aria2 { namespace aria2 {
class BtHandshakeMessage; class BtHandshakeMessage;
class BtInteractive { class BtInteractive {
@ -50,8 +49,8 @@ public:
virtual void initiateHandshake() = 0; virtual void initiateHandshake() = 0;
virtual std::unique_ptr<BtHandshakeMessage> receiveHandshake virtual std::unique_ptr<BtHandshakeMessage>
(bool quickReply = false) = 0; receiveHandshake(bool quickReply = false) = 0;
virtual std::unique_ptr<BtHandshakeMessage> receiveAndSendHandshake() = 0; virtual std::unique_ptr<BtHandshakeMessage> receiveAndSendHandshake() = 0;

View file

@ -42,25 +42,25 @@ namespace aria2 {
const char BtInterestedMessage::NAME[] = "interested"; const char BtInterestedMessage::NAME[] = "interested";
BtInterestedMessage::BtInterestedMessage() BtInterestedMessage::BtInterestedMessage()
: ZeroBtMessage(ID, NAME), : ZeroBtMessage(ID, NAME), peerStorage_(nullptr)
peerStorage_(nullptr) {
{} }
BtInterestedMessage::~BtInterestedMessage() {} BtInterestedMessage::~BtInterestedMessage() {}
std::unique_ptr<BtInterestedMessage> BtInterestedMessage::create std::unique_ptr<BtInterestedMessage>
(const unsigned char* data, size_t dataLength) BtInterestedMessage::create(const unsigned char* data, size_t dataLength)
{ {
return ZeroBtMessage::create<BtInterestedMessage>(data, dataLength); return ZeroBtMessage::create<BtInterestedMessage>(data, dataLength);
} }
void BtInterestedMessage::doReceivedAction() void BtInterestedMessage::doReceivedAction()
{ {
if(isMetadataGetMode()) { if (isMetadataGetMode()) {
return; return;
} }
getPeer()->peerInterested(true); getPeer()->peerInterested(true);
if(!getPeer()->amChoking()) { if (!getPeer()->amChoking()) {
peerStorage_->executeChoke(); peerStorage_->executeChoke();
} }
} }
@ -72,11 +72,10 @@ bool BtInterestedMessage::sendPredicate() const
namespace { namespace {
struct ThisProgressUpdate : public ProgressUpdate { struct ThisProgressUpdate : public ProgressUpdate {
ThisProgressUpdate(std::shared_ptr<Peer> peer) ThisProgressUpdate(std::shared_ptr<Peer> peer) : peer(std::move(peer)) {}
: peer(std::move(peer)) {}
virtual void update(size_t length, bool complete) CXX11_OVERRIDE virtual void update(size_t length, bool complete) CXX11_OVERRIDE
{ {
if(complete) { if (complete) {
peer->amInterested(true); peer->amInterested(true);
} }
} }

View file

@ -45,6 +45,7 @@ class BtInterestedMessage;
class BtInterestedMessage : public ZeroBtMessage { class BtInterestedMessage : public ZeroBtMessage {
private: private:
PeerStorage* peerStorage_; PeerStorage* peerStorage_;
public: public:
BtInterestedMessage(); BtInterestedMessage();
virtual ~BtInterestedMessage(); virtual ~BtInterestedMessage();
@ -53,8 +54,8 @@ public:
static const char NAME[]; static const char NAME[];
static std::unique_ptr<BtInterestedMessage> create static std::unique_ptr<BtInterestedMessage> create(const unsigned char* data,
(const unsigned char* data, size_t dataLength); size_t dataLength);
virtual void doReceivedAction() CXX11_OVERRIDE; virtual void doReceivedAction() CXX11_OVERRIDE;

View file

@ -50,9 +50,6 @@ unsigned char* BtKeepAliveMessage::createMessage()
return msg; return msg;
} }
size_t BtKeepAliveMessage::getMessageLength() size_t BtKeepAliveMessage::getMessageLength() { return MESSAGE_LENGTH; }
{
return MESSAGE_LENGTH;
}
} // namespace aria2 } // namespace aria2

View file

@ -42,8 +42,9 @@ namespace aria2 {
class BtKeepAliveMessage : public SimpleBtMessage { class BtKeepAliveMessage : public SimpleBtMessage {
private: private:
static const size_t MESSAGE_LENGTH = 4; static const size_t MESSAGE_LENGTH = 4;
public: public:
BtKeepAliveMessage():SimpleBtMessage(ID, NAME) {} BtKeepAliveMessage() : SimpleBtMessage(ID, NAME) {}
static const uint8_t ID = 99; static const uint8_t ID = 99;
@ -55,10 +56,7 @@ public:
virtual size_t getMessageLength() CXX11_OVERRIDE; virtual size_t getMessageLength() CXX11_OVERRIDE;
virtual std::string toString() const CXX11_OVERRIDE virtual std::string toString() const CXX11_OVERRIDE { return NAME; }
{
return NAME;
}
}; };
} // namespace aria2 } // namespace aria2

View file

@ -46,9 +46,9 @@
namespace aria2 { namespace aria2 {
BtLeecherStateChoke::BtLeecherStateChoke() BtLeecherStateChoke::BtLeecherStateChoke()
: round_(0), : round_(0), lastRound_(Timer::zero())
lastRound_(Timer::zero()) {
{} }
BtLeecherStateChoke::~BtLeecherStateChoke() {} BtLeecherStateChoke::~BtLeecherStateChoke() {}
@ -66,7 +66,8 @@ BtLeecherStateChoke::PeerEntry::PeerEntry(const PeerEntry& c)
: peer_(c.peer_), : peer_(c.peer_),
downloadSpeed_(c.downloadSpeed_), downloadSpeed_(c.downloadSpeed_),
regularUnchoker_(c.regularUnchoker_) regularUnchoker_(c.regularUnchoker_)
{} {
}
void BtLeecherStateChoke::PeerEntry::swap(PeerEntry& c) void BtLeecherStateChoke::PeerEntry::swap(PeerEntry& c)
{ {
@ -76,10 +77,10 @@ void BtLeecherStateChoke::PeerEntry::swap(PeerEntry& c)
swap(regularUnchoker_, c.regularUnchoker_); swap(regularUnchoker_, c.regularUnchoker_);
} }
BtLeecherStateChoke::PeerEntry& BtLeecherStateChoke::PeerEntry::operator= BtLeecherStateChoke::PeerEntry& BtLeecherStateChoke::PeerEntry::
(const PeerEntry& c) operator=(const PeerEntry& c)
{ {
if(this != &c) { if (this != &c) {
peer_ = c.peer_; peer_ = c.peer_;
downloadSpeed_ = c.downloadSpeed_; downloadSpeed_ = c.downloadSpeed_;
regularUnchoker_ = c.regularUnchoker_; regularUnchoker_ = c.regularUnchoker_;
@ -129,29 +130,27 @@ bool BtLeecherStateChoke::PeerEntry::operator<(const PeerEntry& peerEntry) const
return downloadSpeed_ > peerEntry.downloadSpeed_; return downloadSpeed_ > peerEntry.downloadSpeed_;
} }
void swap void swap(BtLeecherStateChoke::PeerEntry& a, BtLeecherStateChoke::PeerEntry& b)
(BtLeecherStateChoke::PeerEntry& a,
BtLeecherStateChoke::PeerEntry& b)
{ {
a.swap(b); a.swap(b);
} }
bool BtLeecherStateChoke::PeerFilter::operator() bool BtLeecherStateChoke::PeerFilter::
(const PeerEntry& peerEntry) const operator()(const PeerEntry& peerEntry) const
{ {
return peerEntry.getPeer()->amChoking() == amChoking_ && return peerEntry.getPeer()->amChoking() == amChoking_ &&
peerEntry.getPeer()->peerInterested() == peerInterested_; peerEntry.getPeer()->peerInterested() == peerInterested_;
} }
void BtLeecherStateChoke::plannedOptimisticUnchoke void BtLeecherStateChoke::plannedOptimisticUnchoke(
(std::vector<PeerEntry>& peerEntries) std::vector<PeerEntry>& peerEntries)
{ {
std::for_each(std::begin(peerEntries), std::end(peerEntries), std::for_each(std::begin(peerEntries), std::end(peerEntries),
std::mem_fn(&PeerEntry::disableOptUnchoking)); std::mem_fn(&PeerEntry::disableOptUnchoking));
auto i = std::partition(std::begin(peerEntries), std::end(peerEntries), auto i = std::partition(std::begin(peerEntries), std::end(peerEntries),
PeerFilter(true, true)); PeerFilter(true, true));
if(i != std::begin(peerEntries)) { if (i != std::begin(peerEntries)) {
std::shuffle(std::begin(peerEntries), i, *SimpleRandomizer::getInstance()); std::shuffle(std::begin(peerEntries), i, *SimpleRandomizer::getInstance());
(*std::begin(peerEntries)).enableOptUnchoking(); (*std::begin(peerEntries)).enableOptUnchoking();
A2_LOG_INFO( A2_LOG_INFO(
@ -172,25 +171,26 @@ void BtLeecherStateChoke::regularUnchoke(std::vector<PeerEntry>& peerEntries)
bool fastOptUnchoker = false; bool fastOptUnchoker = false;
auto peerIter = std::begin(peerEntries); auto peerIter = std::begin(peerEntries);
for(;peerIter != rest && count; ++peerIter, --count) { for (; peerIter != rest && count; ++peerIter, --count) {
peerIter->disableChokingRequired(); peerIter->disableChokingRequired();
A2_LOG_INFO(fmt("RU: %s, dlspd=%d", A2_LOG_INFO(fmt("RU: %s, dlspd=%d",
(*peerIter).getPeer()->getIPAddress().c_str(), (*peerIter).getPeer()->getIPAddress().c_str(),
(*peerIter).getDownloadSpeed())); (*peerIter).getDownloadSpeed()));
if(peerIter->getPeer()->optUnchoking()) { if (peerIter->getPeer()->optUnchoking()) {
fastOptUnchoker = true; fastOptUnchoker = true;
peerIter->disableOptUnchoking(); peerIter->disableOptUnchoking();
} }
} }
if(fastOptUnchoker) { if (fastOptUnchoker) {
std::shuffle(peerIter, std::end(peerEntries), std::shuffle(peerIter, std::end(peerEntries),
*SimpleRandomizer::getInstance()); *SimpleRandomizer::getInstance());
for (auto& p : peerEntries) { for (auto& p : peerEntries) {
if(p.getPeer()->peerInterested()) { if (p.getPeer()->peerInterested()) {
p.enableOptUnchoking(); p.enableOptUnchoking();
A2_LOG_INFO(fmt("OU: %s", p.getPeer()->getIPAddress().c_str())); A2_LOG_INFO(fmt("OU: %s", p.getPeer()->getIPAddress().c_str()));
break; break;
} else { }
else {
p.disableChokingRequired(); p.disableChokingRequired();
A2_LOG_INFO(fmt("OU: %s", p.getPeer()->getIPAddress().c_str())); A2_LOG_INFO(fmt("OU: %s", p.getPeer()->getIPAddress().c_str()));
} }
@ -205,26 +205,23 @@ void BtLeecherStateChoke::executeChoke(const PeerSet& peerSet)
std::vector<PeerEntry> peerEntries; std::vector<PeerEntry> peerEntries;
for (const auto& p : peerSet) { for (const auto& p : peerSet) {
if(p->isActive() && !p->snubbing()) { if (p->isActive() && !p->snubbing()) {
p->chokingRequired(true); p->chokingRequired(true);
peerEntries.push_back(PeerEntry(p)); peerEntries.push_back(PeerEntry(p));
} }
} }
// planned optimistic unchoke // planned optimistic unchoke
if(round_ == 0) { if (round_ == 0) {
plannedOptimisticUnchoke(peerEntries); plannedOptimisticUnchoke(peerEntries);
} }
regularUnchoke(peerEntries); regularUnchoke(peerEntries);
if(++round_ == 3) { if (++round_ == 3) {
round_ = 0; round_ = 0;
} }
} }
const Timer& BtLeecherStateChoke::getLastRound() const const Timer& BtLeecherStateChoke::getLastRound() const { return lastRound_; }
{
return lastRound_;
}
} // namespace aria2 } // namespace aria2

View file

@ -58,6 +58,7 @@ private:
std::shared_ptr<Peer> peer_; std::shared_ptr<Peer> peer_;
int downloadSpeed_; int downloadSpeed_;
bool regularUnchoker_; bool regularUnchoker_;
public: public:
PeerEntry(const std::shared_ptr<Peer>& peer); PeerEntry(const std::shared_ptr<Peer>& peer);
PeerEntry(const PeerEntry& c); PeerEntry(const PeerEntry& c);
@ -92,13 +93,16 @@ private:
private: private:
bool amChoking_; bool amChoking_;
bool peerInterested_; bool peerInterested_;
public: public:
PeerFilter(bool amChoking, bool peerInterested): PeerFilter(bool amChoking, bool peerInterested)
amChoking_(amChoking), : amChoking_(amChoking), peerInterested_(peerInterested)
peerInterested_(peerInterested) {} {
}
bool operator()(const PeerEntry& peerEntry) const; bool operator()(const PeerEntry& peerEntry) const;
}; };
public: public:
BtLeecherStateChoke(); BtLeecherStateChoke();
@ -111,9 +115,7 @@ public:
friend void swap(PeerEntry& a, PeerEntry& b); friend void swap(PeerEntry& a, PeerEntry& b);
}; };
void swap void swap(BtLeecherStateChoke::PeerEntry& a, BtLeecherStateChoke::PeerEntry& b);
(BtLeecherStateChoke::PeerEntry& a,
BtLeecherStateChoke::PeerEntry& b);
} // namespace aria2 } // namespace aria2

View file

@ -50,8 +50,9 @@ class BtEvent;
class BtMessage { class BtMessage {
private: private:
uint8_t id_; uint8_t id_;
public: public:
BtMessage(uint8_t id):id_(id) {} BtMessage(uint8_t id) : id_(id) {}
virtual ~BtMessage() {} virtual ~BtMessage() {}
@ -67,18 +68,17 @@ public:
virtual void validate() = 0; virtual void validate() = 0;
virtual void onAbortOutstandingRequestEvent virtual void onAbortOutstandingRequestEvent(
(const BtAbortOutstandingRequestEvent& event) = 0; const BtAbortOutstandingRequestEvent& event) = 0;
virtual void onCancelSendingPieceEvent virtual void
(const BtCancelSendingPieceEvent& event) = 0; onCancelSendingPieceEvent(const BtCancelSendingPieceEvent& event) = 0;
virtual void onChokingEvent(const BtChokingEvent& event) = 0; virtual void onChokingEvent(const BtChokingEvent& event) = 0;
virtual void onQueued() = 0; virtual void onQueued() = 0;
virtual std::string toString() const = 0; virtual std::string toString() const = 0;
}; };
} // namespace aria2 } // namespace aria2

View file

@ -55,12 +55,14 @@ public:
virtual void sendMessages() = 0; virtual void sendMessages() = 0;
virtual void doCancelSendingPieceAction virtual void doCancelSendingPieceAction(size_t index, int32_t begin,
(size_t index, int32_t begin, int32_t length) = 0; int32_t length) = 0;
virtual void doCancelSendingPieceAction(const std::shared_ptr<Piece>& piece) = 0; virtual void
doCancelSendingPieceAction(const std::shared_ptr<Piece>& piece) = 0;
virtual void doAbortOutstandingRequestAction(const std::shared_ptr<Piece>& piece) = 0; virtual void
doAbortOutstandingRequestAction(const std::shared_ptr<Piece>& piece) = 0;
virtual void doChokedAction() = 0; virtual void doChokedAction() = 0;
@ -76,8 +78,8 @@ public:
virtual bool isOutstandingRequest(size_t index, size_t blockIndex) = 0; virtual bool isOutstandingRequest(size_t index, size_t blockIndex) = 0;
virtual const RequestSlot* getOutstandingRequest virtual const RequestSlot* getOutstandingRequest(size_t index, int32_t begin,
(size_t index, int32_t begin, int32_t length) = 0; int32_t length) = 0;
virtual void removeOutstandingRequest(const RequestSlot* slot) = 0; virtual void removeOutstandingRequest(const RequestSlot* slot) = 0;

View file

@ -66,8 +66,8 @@ class BtMessageFactory {
public: public:
virtual ~BtMessageFactory() {} virtual ~BtMessageFactory() {}
virtual std::unique_ptr<BtMessage> virtual std::unique_ptr<BtMessage> createBtMessage(const unsigned char* msg,
createBtMessage(const unsigned char* msg, size_t msgLength) = 0; size_t msgLength) = 0;
virtual std::unique_ptr<BtHandshakeMessage> virtual std::unique_ptr<BtHandshakeMessage>
createHandshakeMessage(const unsigned char* msg, size_t msgLength) = 0; createHandshakeMessage(const unsigned char* msg, size_t msgLength) = 0;

Some files were not shown because too many files have changed in this diff Show more