/**************************************************************** * RetroShare is distributed under the following license: * * Copyright (C) 2006,2007 crypton * * This program is free software; you can redistribute it and/or * modify it under the terms of the GNU General Public License * as published by the Free Software Foundation; either version 2 * of the License, or (at your option) any later version. * * This program is distributed in the hope that it will be useful, * but WITHOUT ANY WARRANTY; without even the implied warranty of * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the * GNU General Public License for more details. * * You should have received a copy of the GNU General Public License * along with this program; if not, write to the Free Software * Foundation, Inc., 51 Franklin Street, Fifth Floor, * Boston, MA 02110-1301, USA. ****************************************************************/ #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include "TransfersDialog.h" #include #include "DetailsDialog.h" #include "DLListDelegate.h" #include "ULListDelegate.h" #include "FileTransferInfoWidget.h" #include #include #include "xprogressbar.h" #include #include "util/misc.h" #include #include "TransferUserNotify.h" #include "util/QtVersion.h" #include "util/RsFile.h" #include #include #include #include #include /* Images for context menu icons */ #define IMAGE_INFO ":/images/fileinfo.png" #define IMAGE_CANCEL ":/images/delete.png" #define IMAGE_CLEARCOMPLETED ":/images/deleteall.png" #define IMAGE_PLAY ":/images/player_play.png" #define IMAGE_COPYLINK ":/images/copyrslink.png" #define IMAGE_PASTELINK ":/images/pasterslink.png" #define IMAGE_PAUSE ":/images/pause.png" #define IMAGE_RESUME ":/images/resume.png" #define IMAGE_OPENFOLDER ":/images/folderopen.png" #define IMAGE_OPENFILE ":/images/fileopen.png" #define IMAGE_STOP ":/images/stop.png" #define IMAGE_PREVIEW ":/images/preview.png" #define IMAGE_PRIORITY ":/images/filepriority.png" #define IMAGE_PRIORITYLOW ":/images/prioritylow.png" #define IMAGE_PRIORITYNORMAL ":/images/prioritynormal.png" #define IMAGE_PRIORITYHIGH ":/images/priorityhigh.png" #define IMAGE_PRIORITYAUTO ":/images/priorityauto.png" #define IMAGE_SEARCH ":/icons/svg/magnifying-glass.svg" #define IMAGE_EXPAND ":/images/edit_add24.png" #define IMAGE_COLLAPSE ":/images/edit_remove24.png" #define IMAGE_LIBRARY ":/images/library.png" #define IMAGE_COLLCREATE ":/images/library_add.png" #define IMAGE_COLLMODIF ":/images/library_edit.png" #define IMAGE_COLLVIEW ":/images/library_view.png" #define IMAGE_COLLOPEN ":/images/library.png" #define IMAGE_FRIENDSFILES ":/icons/svg/folders.svg" #define IMAGE_MYFILES ":icons/svg/folders1.svg" #define IMAGE_RENAMEFILE ":images/filecomments.png" #define IMAGE_STREAMING ":images/streaming.png" #define IMAGE_TUNNEL_ANON_E2E ":/images/blue_lock.png" #define IMAGE_TUNNEL_ANON ":/images/blue_lock_open.png" #define IMAGE_TUNNEL_FRIEND ":/icons/avatar_128.png" Q_DECLARE_METATYPE(FileProgressInfo) class RsDownloadListModel : public QAbstractItemModel { // Q_OBJECT public: explicit RsDownloadListModel(QObject *parent = NULL) : QAbstractItemModel(parent) {} ~RsDownloadListModel(){} enum Roles{ SortRole = Qt::UserRole+1 }; int rowCount(const QModelIndex& parent = QModelIndex()) const { void *ref = (parent.isValid())?parent.internalPointer():NULL ; if(!ref) return mDownloads.size() ; uint32_t entry = 0 ; int source_id ; if(!convertRefPointerToTabEntry(ref,entry,source_id) || entry >= mDownloads.size()) return 0 ; return mDownloads[entry].peers.size(); // costly } int columnCount(const QModelIndex &parent = QModelIndex()) const { return 13 ; } bool hasChildren(const QModelIndex &parent = QModelIndex()) const { void *ref = (parent.isValid())?parent.internalPointer():NULL ; uint32_t entry = 0; int source_id=0 ; if(!ref) return true ; if(!convertRefPointerToTabEntry(ref,entry,source_id) || entry >= mDownloads.size() || source_id > -1) return false ; return !mDownloads[entry].peers.empty(); // costly } QModelIndex index(int row, int column, const QModelIndex & parent = QModelIndex()) const { if(row < 0) return QModelIndex(); void *ref = (parent.isValid())?parent.internalPointer():NULL ; uint32_t entry = 0; int source_id=0 ; void *subref = NULL ; if(!ref) // top level. The entry is that of a transfer { if(row >= mDownloads.size() || !convertTabEntryToRefPointer(row,-1,subref)) return QModelIndex() ; return createIndex(row,column,subref) ; } if(!convertRefPointerToTabEntry(ref,entry,source_id) || entry >= mDownloads.size() || int(mDownloads[entry].peers.size()) <= source_id) return QModelIndex() ; if(source_id != -1) std::cerr << "ERROR: parent.source_id != -1 in index()" << std::endl; if(!convertTabEntryToRefPointer(entry,row,subref)) return QModelIndex() ; return createIndex(row,column,subref) ; } QModelIndex parent(const QModelIndex& child) const { void *ref = (child.isValid())?child.internalPointer():NULL ; uint32_t entry = 0; int source_id=0 ; if(!ref) return QModelIndex() ; if(!convertRefPointerToTabEntry(ref,entry,source_id) || entry >= mDownloads.size() || int(mDownloads[entry].peers.size()) <= source_id) return QModelIndex() ; if(source_id < 0) return QModelIndex() ; void *subref =NULL; if(!convertTabEntryToRefPointer(entry,-1,subref)) return QModelIndex() ; return createIndex(entry,0,subref) ; } QVariant headerData(int section, Qt::Orientation orientation, int role = Qt::DisplayRole) const { if(role != Qt::DisplayRole) return QVariant(); switch(section) { default: case COLUMN_NAME: return tr("Name", "i.e: file name"); case COLUMN_SIZE: return tr("Size", "i.e: file size"); case COLUMN_COMPLETED: return tr("Completed", ""); case COLUMN_DLSPEED: return tr("Speed", "i.e: Download speed"); case COLUMN_PROGRESS: return tr("Progress / Availability", "i.e: % downloaded"); case COLUMN_SOURCES: return tr("Sources", "i.e: Sources"); case COLUMN_STATUS: return tr("Status"); case COLUMN_PRIORITY: return tr("Speed / Queue position"); case COLUMN_REMAINING: return tr("Remaining"); case COLUMN_DOWNLOADTIME: return tr("Download time", "i.e: Estimated Time of Arrival / Time left"); case COLUMN_ID: return tr("Hash"); case COLUMN_LASTDL: return tr("Last Time Seen", "i.e: Last Time Receiced Data"); case COLUMN_PATH: return tr("Path", "i.e: Where file is saved"); } } QVariant data(const QModelIndex &index, int role = Qt::DisplayRole) const { if(!index.isValid()) return QVariant(); int coln = index.column() ; switch(role) { case Qt::SizeHintRole: return sizeHintRole(index.column()) ; case Qt::TextAlignmentRole: case Qt::TextColorRole: case Qt::WhatsThisRole: case Qt::EditRole: case Qt::ToolTipRole: case Qt::StatusTipRole: return QVariant(); } void *ref = (index.isValid())?index.internalPointer():NULL ; uint32_t entry = 0; int source_id=0 ; if(!ref) return false ; if(!convertRefPointerToTabEntry(ref,entry,source_id) || entry >= mDownloads.size()) { std::cerr << "Bad pointer: " << (void*)ref << std::endl; return false ; } const FileInfo& finfo(mDownloads[entry]) ; switch(role) { case Qt::DisplayRole: return displayRole (finfo,source_id,index.column()) ; case Qt::DecorationRole: return decorationRole(finfo,source_id,index.column()) ; case Qt::UserRole: return userRole (finfo,source_id,index.column()) ; default: return QVariant(); } } QVariant sizeHintRole(int col) const { switch(col) { default: case COLUMN_NAME: return QVariant( 170 ); case COLUMN_SIZE: return QVariant( 70 ); case COLUMN_COMPLETED: return QVariant( 75 ); case COLUMN_DLSPEED: return QVariant( 75 ); case COLUMN_PROGRESS: return QVariant( 170 ); case COLUMN_SOURCES: return QVariant( 90 ); case COLUMN_STATUS: return QVariant( 100 ); case COLUMN_PRIORITY: return QVariant( 100 ); case COLUMN_REMAINING: return QVariant( 100 ); case COLUMN_DOWNLOADTIME: return QVariant( 100 ); case COLUMN_ID: return QVariant( 100 ); case COLUMN_LASTDL: return QVariant( 100 ); case COLUMN_PATH: return QVariant( 100 ); } } QVariant displayRole(const FileInfo& fileInfo,int source_id,int col) const { if(source_id == -1) // toplevel switch(col) { case COLUMN_NAME: return QVariant(QString::fromUtf8(fileInfo.fname.c_str())); case COLUMN_COMPLETED: return QVariant((qlonglong)fileInfo.transfered); case COLUMN_DLSPEED: return QVariant((double)((fileInfo.downloadStatus == FT_STATE_DOWNLOADING) ? (fileInfo.tfRate * 1024.0) : 0.0)); case COLUMN_PROGRESS: return QVariant((float)((fileInfo.size == 0) ? 0 : (fileInfo.transfered * 100.0 / (float)fileInfo.size))); case COLUMN_STATUS: { QString status; switch (fileInfo.downloadStatus) { case FT_STATE_FAILED: status = tr("Failed"); break; case FT_STATE_OKAY: status = tr("Okay"); break; case FT_STATE_WAITING: status = tr("Waiting"); break; case FT_STATE_DOWNLOADING: status = tr("Downloading"); break; case FT_STATE_COMPLETE: status = tr("Complete"); break; case FT_STATE_QUEUED: status = tr("Queued"); break; case FT_STATE_PAUSED: status = tr("Paused"); break; case FT_STATE_CHECKING_HASH:status = tr("Checking..."); break; default: status = tr("Unknown"); break; } return QVariant(status); } case COLUMN_PRIORITY: { double priority = PRIORITY_NULL; if (fileInfo.downloadStatus == FT_STATE_QUEUED) priority = fileInfo.queue_position; else if (fileInfo.downloadStatus == FT_STATE_COMPLETE) priority = 0; else switch (fileInfo.priority) { case SPEED_LOW: priority = PRIORITY_SLOWER; break; case SPEED_NORMAL: priority = PRIORITY_AVERAGE; break; case SPEED_HIGH: priority = PRIORITY_FASTER; break; default: priority = PRIORITY_AVERAGE; break; } return QVariant(priority); } case COLUMN_REMAINING: return QVariant((qlonglong)(fileInfo.size - fileInfo.transfered)); case COLUMN_DOWNLOADTIME: return QVariant((qlonglong)(fileInfo.tfRate > 0)?( (fileInfo.size - fileInfo.transfered) / (fileInfo.tfRate * 1024.0) ) : 0); case COLUMN_LASTDL: { qint64 qi64LastDL = fileInfo.lastTS ; if (qi64LastDL == 0) // file is complete, or any raison why the time has not been set properly { QFileInfo file; if (fileInfo.downloadStatus == FT_STATE_COMPLETE) file = QFileInfo(QString::fromUtf8(fileInfo.path.c_str()), QString::fromUtf8(fileInfo.fname.c_str())); else file = QFileInfo(QString::fromUtf8(rsFiles->getPartialsDirectory().c_str()), QString::fromUtf8(fileInfo.hash.toStdString().c_str())); //Get Last Access on File if (file.exists()) qi64LastDL = file.lastModified().toTime_t(); } return QVariant(qi64LastDL) ; } case COLUMN_PATH: { QString strPath = QString::fromUtf8(fileInfo.path.c_str()); QString strPathAfterDL = strPath; strPathAfterDL.replace(QString::fromUtf8(rsFiles->getDownloadDirectory().c_str()),""); return QVariant(strPathAfterDL); } case COLUMN_SOURCES: { int active = 0; QString fileHash = QString::fromStdString(fileInfo.hash.toStdString()); if (fileInfo.downloadStatus != FT_STATE_COMPLETE) for (std::vector::const_iterator pit = fileInfo.peers.begin() ; pit != fileInfo.peers.end(); ++pit) { const TransferInfo& transferInfo = *pit; // //unique combination: fileHash + peerId, variant: hash + peerName (too long) // QString hashFileAndPeerId = fileHash + QString::fromStdString(transferInfo.peerId.toStdString()); // double peerDlspeed = 0; // if ((uint32_t)transferInfo.status == FT_STATE_DOWNLOADING && fileInfo.downloadStatus != FT_STATE_PAUSED && fileInfo.downloadStatus != FT_STATE_COMPLETE) // peerDlspeed = transferInfo.tfRate * 1024.0; // FileProgressInfo peerpinfo; // peerpinfo.cmap = fcinfo.compressed_peer_availability_maps[transferInfo.peerId]; // peerpinfo.type = FileProgressInfo::DOWNLOAD_SOURCE ; // peerpinfo.progress = 0.0; // we don't display completion for sources. // peerpinfo.nb_chunks = peerpinfo.cmap._map.empty() ? 0 : fcinfo.chunks.size(); // get the sources (number of online peers) if (transferInfo.tfRate > 0 && fileInfo.downloadStatus == FT_STATE_DOWNLOADING) ++active; } return QVariant( (float)active + fileInfo.peers.size()/1000.0f ); } case COLUMN_SIZE: return QVariant((qlonglong) fileInfo.size); case COLUMN_ID: return QVariant(QString::fromStdString(fileInfo.hash.toStdString())); default: return QVariant("[ TODO ]"); } else { uint32_t chunk_size = 1024*1024 ; switch(col) { default: case COLUMN_SOURCES: case COLUMN_COMPLETED: case COLUMN_REMAINING: case COLUMN_LASTDL: case COLUMN_ID: case COLUMN_PATH: case COLUMN_DOWNLOADTIME: case COLUMN_SIZE: return QVariant(); case COLUMN_PROGRESS: return QVariant( (fileInfo.size>0)?((fileInfo.peers[source_id].transfered % chunk_size)*100.0/fileInfo.size):0.0) ; case COLUMN_DLSPEED: { double peerDlspeed = 0; if((uint32_t)fileInfo.peers[source_id].status == FT_STATE_DOWNLOADING && fileInfo.downloadStatus != FT_STATE_PAUSED && fileInfo.downloadStatus != FT_STATE_COMPLETE) peerDlspeed = fileInfo.peers[source_id].tfRate * 1024.0; return QVariant((double)peerDlspeed) ; } case COLUMN_NAME: { QString iconName,tooltip; return QVariant(TransfersDialog::getPeerName(fileInfo.peers[source_id].peerId, iconName, tooltip)); } case COLUMN_PRIORITY: return QVariant((double)PRIORITY_NULL); } } return QVariant("[ERROR]"); } virtual QVariant userRole(const FileInfo& fileInfo,int source_id,int col) const { if(source_id == -1) switch(col) { case COLUMN_PROGRESS: { FileChunksInfo fcinfo; if (!rsFiles->FileDownloadChunksDetails(fileInfo.hash, fcinfo)) return -1; FileProgressInfo pinfo; pinfo.cmap = fcinfo.chunks; pinfo.type = FileProgressInfo::DOWNLOAD_LINE; pinfo.progress = (fileInfo.size == 0) ? 0 : (fileInfo.transfered * 100.0 / fileInfo.size); pinfo.nb_chunks = pinfo.cmap._map.empty() ? 0 : fcinfo.chunks.size(); for (uint32_t i = 0; i < fcinfo.chunks.size(); ++i) switch(fcinfo.chunks[i]) { case FileChunksInfo::CHUNK_CHECKING: pinfo.chunks_in_checking.push_back(i); break ; case FileChunksInfo::CHUNK_ACTIVE: pinfo.chunks_in_progress.push_back(i); break ; case FileChunksInfo::CHUNK_DONE: case FileChunksInfo::CHUNK_OUTSTANDING: break ; } return QVariant::fromValue(pinfo); } case COLUMN_ID: return QVariant(QString::fromStdString(fileInfo.hash.toStdString())); default: return QVariant(); } else switch(col) { case COLUMN_PROGRESS: { FileProgressInfo peerpinfo ; if(!rsFiles->FileUploadChunksDetails(fileInfo.hash, fileInfo.peers[source_id].peerId, peerpinfo.cmap) ) return QVariant(); // Estimate the completion. We need something more accurate, meaning that we need to // transmit the completion info. // uint32_t chunk_size = 1024*1024 ; uint32_t nb_chunks = (uint32_t)((fileInfo.size + (uint64_t)chunk_size - 1) / (uint64_t)(chunk_size)) ; uint32_t filled_chunks = peerpinfo.cmap.filledChunks(nb_chunks) ; peerpinfo.type = FileProgressInfo::UPLOAD_LINE ; peerpinfo.nb_chunks = peerpinfo.cmap._map.empty()?0:nb_chunks ; qlonglong completed ; if(filled_chunks > 0 && nb_chunks > 0) { completed = peerpinfo.cmap.computeProgress(fileInfo.size,chunk_size) ; peerpinfo.progress = completed / (float)fileInfo.size * 100.0f ; } else { completed = fileInfo.peers[source_id].transfered % chunk_size ; // use the position with respect to last request. peerpinfo.progress = (fileInfo.size>0)?((fileInfo.peers[source_id].transfered % chunk_size)*100.0/fileInfo.size):0 ; } return QVariant::fromValue(peerpinfo); } case COLUMN_ID: return QVariant(QString::fromStdString(fileInfo.hash.toStdString()) + QString::fromStdString(fileInfo.peers[source_id].peerId.toStdString())); default: return QVariant(); } } QVariant decorationRole(const FileInfo& fileInfo,int source_id,int col) const { if(col == COLUMN_NAME) { if(source_id == -1) return QVariant(FilesDefs::getIconFromFilename(QString::fromUtf8(fileInfo.fname.c_str()))); else { QString iconName,tooltip; TransfersDialog::getPeerName(fileInfo.peers[source_id].peerId, iconName, tooltip); return QVariant(iconName); } } else return QVariant(); } void update_transfers() { // beginResetModel(); std::list downHashes; rsFiles->FileDownloads(downHashes); size_t old_size = mDownloads.size(); mDownloads.resize(downHashes.size()) ; if(old_size < mDownloads.size()) { beginInsertRows(QModelIndex(), old_size, mDownloads.size()); insertRows(old_size, mDownloads.size() - old_size); endInsertRows(); } else if(mDownloads.size() < old_size) { beginRemoveRows(QModelIndex(), mDownloads.size(), old_size); removeRows(old_size, old_size - mDownloads.size()); endRemoveRows(); } //std::cerr << "updating file list: found " << mDownloads.size() << " transfers." << std::endl; uint32_t i=0; for(auto it(downHashes.begin());it!=downHashes.end();++it,++i) { FileInfo& fileInfo(mDownloads[i]); rsFiles->FileDetails(*it, RS_FILE_HINTS_DOWNLOAD, fileInfo); } // endResetModel(); QModelIndex topLeft = createIndex(0,0), bottomRight = createIndex(mDownloads.size(), COLUMN_COUNT-1); emit dataChanged(topLeft, bottomRight); //shit code follow (rewrite this please) // size_t old_size = neighs.size(), new_size = 0; // std::list old_neighs = neighs; // // new_size = new_neighs.size(); // //set model data to new cleaned up data // neighs = new_neighs; // neighs.sort(); // neighs.unique(); //remove possible dups // // //reflect actual row count in model // if(old_size < new_size) // { // beginInsertRows(QModelIndex(), old_size, new_size); // insertRows(old_size, new_size - old_size); // endInsertRows(); // } // else if(new_size < old_size) // { // beginRemoveRows(QModelIndex(), new_size, old_size); // removeRows(old_size, old_size - new_size); // endRemoveRows(); // } // //update data in ui, to avoid unnecessary redraw and ui updates, updating only changed elements // //TODO: libretroshare should implement a way to obtain only changed elements via some signalling non-blocking api. // { // size_t ii1 = 0; // for(auto i1 = neighs.begin(), end1 = neighs.end(), i2 = old_neighs.begin(), end2 = old_neighs.end(); i1 != end1; ++i1, ++i2, ii1++) // { // if(i2 == end2) // break; // if(*i1 != *i2) // { // QModelIndex topLeft = createIndex(ii1,0), bottomRight = createIndex(ii1, COLUMN_COUNT-1); // emit dataChanged(topLeft, bottomRight); // } // } // } // if(new_size > old_size) // { // QModelIndex topLeft = createIndex(old_size ? old_size -1 : 0 ,0), bottomRight = createIndex(new_size -1, COLUMN_COUNT-1); // emit dataChanged(topLeft, bottomRight); // } // //dirty solution for initial data fetch // //TODO: do it properly! // if(!old_size) // { // beginResetModel(); // endResetModel(); // } } private: static const uint32_t TRANSFERS_NB_DOWNLOADS_BITS_32BITS = 22 ; // Means 2^22 simultaneous transfers static const uint32_t TRANSFERS_NB_DOWNLOADS_BIT_MASK_32BITS = 0x003fffff ; // actual bit mask corresponding to previous number of bits static const uint32_t TRANSFERS_NB_SOURCES_BITS_32BITS = 10 ; // Means 2^10 simultaneous sources static bool convertTabEntryToRefPointer(uint32_t entry,int source_id,void *& ref) { if(source_id < -1) { std::cerr << "(EE) inconsistent source id = " << source_id << " in convertTabEntryToRefPointer()" << std::endl; return false; } // the pointer is formed the following way: // // [ 10 bits | 22 bits ] // // This means that the whoel software has the following build-in limitation: // * 1023 sources // * 4M simultaenous file transfers if(uint32_t(source_id+1) >= (1u<= (1u<< TRANSFERS_NB_DOWNLOADS_BITS_32BITS)) { std::cerr << "(EE) cannot convert download index " << entry << " and source " << source_id << " to pointer." << std::endl; return false ; } ref = reinterpret_cast( ( uint32_t(1+source_id) << TRANSFERS_NB_DOWNLOADS_BITS_32BITS ) + ( (entry+1) & TRANSFERS_NB_DOWNLOADS_BIT_MASK_32BITS)) ; return true; } static bool convertRefPointerToTabEntry(void *ref,uint32_t& entry,int& source_id) { // we pack the couple (id of DL, id of source) into a single 32-bits pointer that is required by the AbstractItemModel class. #pragma GCC diagnostic ignored "-Wstrict-aliasing" uint32_t ntr = uint32_t( *reinterpret_cast(&ref) & TRANSFERS_NB_DOWNLOADS_BIT_MASK_32BITS ) ; uint32_t src = ( *reinterpret_cast(&ref)) >> TRANSFERS_NB_DOWNLOADS_BITS_32BITS ; #pragma GCC diagnostic pop if(ntr == 0) { std::cerr << "ERROR! ntr=0!"<< std::endl; return false ; } source_id = int(src) - 1 ; entry = ntr - 1 ; return true; } std::vector mDownloads ; // store the list of downloads, updated from rsFiles. }; class SortByNameItem : public QStandardItem { public: SortByNameItem(QHeaderView *header) : QStandardItem() { this->header = header; } virtual bool operator<(const QStandardItem &other) const { QStandardItemModel *m = model(); if (m == NULL) { return QStandardItem::operator<(other); } QStandardItem *myParent = parent(); QStandardItem *otherParent = other.parent(); if (myParent == NULL || otherParent == NULL) { return QStandardItem::operator<(other); } QStandardItem *myName = myParent->child(index().row(), COLUMN_NAME); QStandardItem *otherName = otherParent->child(other.index().row(), COLUMN_NAME); if (header == NULL || header->sortIndicatorOrder() == Qt::AscendingOrder) { /* Ascending */ return *myName < *otherName; } /* Descending, sort peers in ascending order */ return !(*myName < *otherName); } private: QHeaderView *header; }; class ProgressItem : public SortByNameItem { public: ProgressItem(QHeaderView *header) : SortByNameItem(header) {} virtual bool operator<(const QStandardItem &other) const { const int role = model() ? model()->sortRole() : Qt::DisplayRole; FileProgressInfo l = data(role).value(); FileProgressInfo r = other.data(role).value(); if (l < r) { return true; } if (l > r) { return false; } return SortByNameItem::operator<(other); } }; /** Constructor */ TransfersDialog::TransfersDialog(QWidget *parent) : RsAutoUpdatePage(1000,parent) { /* Invoke the Qt Designer generated object setup routine */ ui.setupUi(this); m_bProcessSettings = false; connect( ui.downloadList, SIGNAL( customContextMenuRequested( QPoint ) ), this, SLOT( downloadListCustomPopupMenu( QPoint ) ) ); DLListModel = new RsDownloadListModel ; // Set Download list model DLLFilterModel = new QSortFilterProxyModel(this); DLLFilterModel->setSourceModel( DLListModel); DLLFilterModel->setFilterCaseSensitivity(Qt::CaseInsensitive); ui.downloadList->setModel(DLLFilterModel); DLDelegate = new DLListDelegate(); ui.downloadList->setItemDelegate(DLDelegate); QHeaderView *qhvDLList = ui.downloadList->header(); qhvDLList->setContextMenuPolicy(Qt::CustomContextMenu); connect(qhvDLList, SIGNAL(customContextMenuRequested(QPoint)), this, SLOT(downloadListHeaderCustomPopupMenu(QPoint))); // Why disable autoscroll ? // With disabled autoscroll, the treeview doesn't scroll with cursor move // ui.downloadList->setAutoScroll(false) ; // workaround for Qt bug, should be solved in next Qt release 4.7.0 // http://bugreports.qt.nokia.com/browse/QTBUG-8270 mShortcut = new QShortcut(QKeySequence (Qt::Key_Delete), ui.downloadList, 0, 0, Qt::WidgetShortcut); connect(mShortcut, SIGNAL(activated()), this, SLOT( cancel ())); //Selection Setup selection = ui.downloadList->selectionModel(); ui.downloadList->setSelectionMode(QAbstractItemView::ExtendedSelection); ui.downloadList->setRootIsDecorated(true); // /* Set header resize modes and initial section sizes Downloads TreeView*/ QHeaderView * dlheader = ui.downloadList->header () ; QHeaderView_setSectionResizeModeColumn(dlheader, COLUMN_NAME, QHeaderView::Interactive); QHeaderView_setSectionResizeModeColumn(dlheader, COLUMN_SIZE, QHeaderView::Interactive); QHeaderView_setSectionResizeModeColumn(dlheader, COLUMN_COMPLETED, QHeaderView::Interactive); QHeaderView_setSectionResizeModeColumn(dlheader, COLUMN_DLSPEED, QHeaderView::Interactive); QHeaderView_setSectionResizeModeColumn(dlheader, COLUMN_PROGRESS, QHeaderView::Interactive); QHeaderView_setSectionResizeModeColumn(dlheader, COLUMN_SOURCES, QHeaderView::Interactive); QHeaderView_setSectionResizeModeColumn(dlheader, COLUMN_STATUS, QHeaderView::Interactive); QHeaderView_setSectionResizeModeColumn(dlheader, COLUMN_PRIORITY, QHeaderView::Interactive); QHeaderView_setSectionResizeModeColumn(dlheader, COLUMN_REMAINING, QHeaderView::Interactive); QHeaderView_setSectionResizeModeColumn(dlheader, COLUMN_DOWNLOADTIME, QHeaderView::Interactive); QHeaderView_setSectionResizeModeColumn(dlheader, COLUMN_ID, QHeaderView::Interactive); QHeaderView_setSectionResizeModeColumn(dlheader, COLUMN_LASTDL, QHeaderView::Interactive); QHeaderView_setSectionResizeModeColumn(dlheader, COLUMN_PATH, QHeaderView::Interactive); // set default column and sort order for download ui.downloadList->sortByColumn(COLUMN_NAME, Qt::AscendingOrder); connect(ui.filterLineEdit, SIGNAL(textChanged(QString)), this, SLOT(filterChanged(QString))); /* Add filter actions */ QString headerName = DLListModel->headerData(COLUMN_NAME, Qt::Horizontal).toString(); ui.filterLineEdit->addFilter(QIcon(), headerName, COLUMN_NAME , QString("%1 %2").arg(tr("Search"), headerName)); QString headerID = DLListModel->headerData(COLUMN_ID, Qt::Horizontal).toString(); ui.filterLineEdit->addFilter(QIcon(), headerID, COLUMN_ID , QString("%1 %2").arg(tr("Search"), headerID)); connect( ui.uploadsList, SIGNAL( customContextMenuRequested( QPoint ) ), this, SLOT( uploadsListCustomPopupMenu( QPoint ) ) ); // Set Upload list model ULListModel = new QStandardItemModel(0,COLUMN_UCOUNT); ULListModel->setHeaderData(COLUMN_UNAME, Qt::Horizontal, tr("Name", "i.e: file name")); ULListModel->setHeaderData(COLUMN_UPEER, Qt::Horizontal, tr("Peer", "i.e: user name / tunnel id")); ULListModel->setHeaderData(COLUMN_USIZE, Qt::Horizontal, tr("Size", "i.e: file size")); ULListModel->setHeaderData(COLUMN_UTRANSFERRED, Qt::Horizontal, tr("Transferred", "")); ULListModel->setHeaderData(COLUMN_ULSPEED, Qt::Horizontal, tr("Speed", "i.e: upload speed")); ULListModel->setHeaderData(COLUMN_UPROGRESS, Qt::Horizontal, tr("Progress", "i.e: % uploaded")); ULListModel->setHeaderData(COLUMN_UHASH, Qt::Horizontal, tr("Hash", "")); ui.uploadsList->setModel(ULListModel); ULDelegate = new ULListDelegate(); ui.uploadsList->setItemDelegate(ULDelegate); // Why disable autoscroll ? // With disabled autoscroll, the treeview doesn't scroll with cursor move // ui.uploadsList->setAutoScroll(false) ; //Selection Setup selectionUp = ui.uploadsList->selectionModel(); ui.uploadsList->setSelectionMode(QAbstractItemView::ExtendedSelection); ui.uploadsList->setRootIsDecorated(true); /* Set header resize modes and initial section sizes Uploads TreeView*/ QHeaderView * upheader = ui.uploadsList->header () ; QHeaderView_setSectionResizeModeColumn(upheader, COLUMN_UNAME, QHeaderView::Interactive); QHeaderView_setSectionResizeModeColumn(upheader, COLUMN_UPEER, QHeaderView::Interactive); QHeaderView_setSectionResizeModeColumn(upheader, COLUMN_USIZE, QHeaderView::Interactive); QHeaderView_setSectionResizeModeColumn(upheader, COLUMN_UTRANSFERRED, QHeaderView::Interactive); QHeaderView_setSectionResizeModeColumn(upheader, COLUMN_ULSPEED, QHeaderView::Interactive); QHeaderView_setSectionResizeModeColumn(upheader, COLUMN_UPROGRESS, QHeaderView::Interactive); upheader->resizeSection ( COLUMN_UNAME, 260 ); upheader->resizeSection ( COLUMN_UPEER, 120 ); upheader->resizeSection ( COLUMN_USIZE, 70 ); upheader->resizeSection ( COLUMN_UTRANSFERRED, 75 ); upheader->resizeSection ( COLUMN_ULSPEED, 75 ); upheader->resizeSection ( COLUMN_UPROGRESS, 170 ); // set default column and sort order for upload ui.uploadsList->sortByColumn(COLUMN_UNAME, Qt::AscendingOrder); QObject::connect(ui.downloadList->selectionModel(),SIGNAL(selectionChanged (const QItemSelection&, const QItemSelection&)),this,SLOT(showFileDetails())) ; ui.tabWidget->insertTab(2,searchDialog = new SearchDialog(), QIcon(IMAGE_SEARCH), tr("Search")) ; ui.tabWidget->insertTab(3,remoteSharedFiles = new RemoteSharedFilesDialog(), QIcon(IMAGE_FRIENDSFILES), tr("Friends files")) ; ui.tabWidget->addTab(localSharedFiles = new LocalSharedFilesDialog(), QIcon(IMAGE_MYFILES), tr("My files")) ; for(int i=0;inbPlugins();++i) if(rsPlugins->plugin(i) != NULL && rsPlugins->plugin(i)->qt_transfers_tab() != NULL) ui.tabWidget->addTab( rsPlugins->plugin(i)->qt_transfers_tab(),QString::fromUtf8(rsPlugins->plugin(i)->qt_transfers_tab_name().c_str()) ) ; ui.tabWidget->setCurrentWidget(ui.uploadsTab); /** Setup the actions for the context menu */ // Actions. Only need to be defined once. pauseAct = new QAction(QIcon(IMAGE_PAUSE), tr("Pause"), this); connect(pauseAct, SIGNAL(triggered()), this, SLOT(pauseFileTransfer())); resumeAct = new QAction(QIcon(IMAGE_RESUME), tr("Resume"), this); connect(resumeAct, SIGNAL(triggered()), this, SLOT(resumeFileTransfer())); forceCheckAct = new QAction(QIcon(IMAGE_CANCEL), tr( "Force Check" ), this ); connect( forceCheckAct , SIGNAL( triggered() ), this, SLOT( forceCheck() ) ); cancelAct = new QAction(QIcon(IMAGE_CANCEL), tr( "Cancel" ), this ); connect( cancelAct , SIGNAL( triggered() ), this, SLOT( cancel() ) ); openFolderAct = new QAction(QIcon(IMAGE_OPENFOLDER), tr("Open Folder"), this); connect(openFolderAct, SIGNAL(triggered()), this, SLOT(dlOpenFolder())); openFileAct = new QAction(QIcon(IMAGE_OPENFILE), tr("Open File"), this); connect(openFileAct, SIGNAL(triggered()), this, SLOT(dlOpenFile())); previewFileAct = new QAction(QIcon(IMAGE_PREVIEW), tr("Preview File"), this); connect(previewFileAct, SIGNAL(triggered()), this, SLOT(dlPreviewFile())); detailsFileAct = new QAction(QIcon(IMAGE_INFO), tr("Details..."), this); connect(detailsFileAct, SIGNAL(triggered()), this, SLOT(showDetailsDialog())); clearCompletedAct = new QAction(QIcon(IMAGE_CLEARCOMPLETED), tr( "Clear Completed" ), this ); connect( clearCompletedAct , SIGNAL( triggered() ), this, SLOT( clearcompleted() ) ); copyLinkAct = new QAction(QIcon(IMAGE_COPYLINK), tr( "Copy RetroShare Link" ), this ); connect( copyLinkAct , SIGNAL( triggered() ), this, SLOT( dlCopyLink() ) ); pasteLinkAct = new QAction(QIcon(IMAGE_PASTELINK), tr( "Paste RetroShare Link" ), this ); connect( pasteLinkAct , SIGNAL( triggered() ), this, SLOT( pasteLink() ) ); queueDownAct = new QAction(QIcon(":/images/go-down.png"), tr("Down"), this); connect(queueDownAct, SIGNAL(triggered()), this, SLOT(priorityQueueDown())); queueUpAct = new QAction(QIcon(":/images/go-up.png"), tr("Up"), this); connect(queueUpAct, SIGNAL(triggered()), this, SLOT(priorityQueueUp())); queueTopAct = new QAction(QIcon(":/images/go-top.png"), tr("Top"), this); connect(queueTopAct, SIGNAL(triggered()), this, SLOT(priorityQueueTop())); queueBottomAct = new QAction(QIcon(":/images/go-bottom.png"), tr("Bottom"), this); connect(queueBottomAct, SIGNAL(triggered()), this, SLOT(priorityQueueBottom())); chunkStreamingAct = new QAction(QIcon(IMAGE_STREAMING), tr("Streaming"), this); connect(chunkStreamingAct, SIGNAL(triggered()), this, SLOT(chunkStreaming())); prioritySlowAct = new QAction(QIcon(IMAGE_PRIORITYLOW), tr("Slower"), this); connect(prioritySlowAct, SIGNAL(triggered()), this, SLOT(speedSlow())); priorityMediumAct = new QAction(QIcon(IMAGE_PRIORITYNORMAL), tr("Average"), this); connect(priorityMediumAct, SIGNAL(triggered()), this, SLOT(speedAverage())); priorityFastAct = new QAction(QIcon(IMAGE_PRIORITYHIGH), tr("Faster"), this); connect(priorityFastAct, SIGNAL(triggered()), this, SLOT(speedFast())); chunkRandomAct = new QAction(QIcon(IMAGE_PRIORITYAUTO), tr("Random"), this); connect(chunkRandomAct, SIGNAL(triggered()), this, SLOT(chunkRandom())); chunkProgressiveAct = new QAction(QIcon(IMAGE_PRIORITYAUTO), tr("Progressive"), this); connect(chunkProgressiveAct, SIGNAL(triggered()), this, SLOT(chunkProgressive())); playAct = new QAction(QIcon(IMAGE_PLAY), tr( "Play" ), this ); connect( playAct , SIGNAL( triggered() ), this, SLOT( dlOpenFile() ) ); renameFileAct = new QAction(QIcon(IMAGE_RENAMEFILE), tr("Rename file..."), this); connect(renameFileAct, SIGNAL(triggered()), this, SLOT(renameFile())); specifyDestinationDirectoryAct = new QAction(QIcon(IMAGE_SEARCH),tr("Specify..."),this) ; connect(specifyDestinationDirectoryAct,SIGNAL(triggered()),this,SLOT(chooseDestinationDirectory())); expandAllDLAct= new QAction(QIcon(IMAGE_EXPAND),tr("Expand all"),this); connect(expandAllDLAct,SIGNAL(triggered()),this,SLOT(expandAllDL())); collapseAllDLAct= new QAction(QIcon(IMAGE_COLLAPSE),tr("Collapse all"),this); connect(collapseAllDLAct,SIGNAL(triggered()),this,SLOT(collapseAllDL())); expandAllULAct= new QAction(QIcon(IMAGE_EXPAND),tr("Expand all"),this); connect(expandAllULAct,SIGNAL(triggered()),this,SLOT(expandAllUL())); collapseAllULAct= new QAction(QIcon(IMAGE_COLLAPSE),tr("Collapse all"),this); connect(collapseAllULAct,SIGNAL(triggered()),this,SLOT(collapseAllUL())); collCreateAct= new QAction(QIcon(IMAGE_COLLCREATE), tr("Create Collection..."), this); connect(collCreateAct,SIGNAL(triggered()),this,SLOT(collCreate())); collModifAct= new QAction(QIcon(IMAGE_COLLMODIF), tr("Modify Collection..."), this); connect(collModifAct,SIGNAL(triggered()),this,SLOT(collModif())); collViewAct= new QAction(QIcon(IMAGE_COLLVIEW), tr("View Collection..."), this); connect(collViewAct,SIGNAL(triggered()),this,SLOT(collView())); collOpenAct = new QAction(QIcon(IMAGE_COLLOPEN), tr( "Download from collection file..." ), this ); connect(collOpenAct, SIGNAL(triggered()), this, SLOT(collOpen())); /** Setup the actions for the header context menu */ showDLSizeAct= new QAction(tr("Size"),this); showDLSizeAct->setCheckable(true); showDLSizeAct->setToolTip(tr("Show Size Column")); connect(showDLSizeAct,SIGNAL(triggered(bool)),this,SLOT(setShowDLSizeColumn(bool))) ; showDLCompleteAct= new QAction(tr("Completed"),this); showDLCompleteAct->setCheckable(true); showDLCompleteAct->setToolTip(tr("Show Completed Column")); connect(showDLCompleteAct,SIGNAL(triggered(bool)),this,SLOT(setShowDLCompleteColumn(bool))) ; showDLDLSpeedAct= new QAction(tr("Speed"),this); showDLDLSpeedAct->setCheckable(true); showDLDLSpeedAct->setToolTip(tr("Show Speed Column")); connect(showDLDLSpeedAct,SIGNAL(triggered(bool)),this,SLOT(setShowDLDLSpeedColumn(bool))) ; showDLProgressAct= new QAction(tr("Progress / Availability"),this); showDLProgressAct->setCheckable(true); showDLProgressAct->setToolTip(tr("Show Progress / Availability Column")); connect(showDLProgressAct,SIGNAL(triggered(bool)),this,SLOT(setShowDLProgressColumn(bool))) ; showDLSourcesAct= new QAction(tr("Sources"),this); showDLSourcesAct->setCheckable(true); showDLSourcesAct->setToolTip(tr("Show Sources Column")); connect(showDLSourcesAct,SIGNAL(triggered(bool)),this,SLOT(setShowDLSourcesColumn(bool))) ; showDLStatusAct= new QAction(tr("Status"),this); showDLStatusAct->setCheckable(true); showDLStatusAct->setToolTip(tr("Show Status Column")); connect(showDLStatusAct,SIGNAL(triggered(bool)),this,SLOT(setShowDLStatusColumn(bool))) ; showDLPriorityAct= new QAction(tr("Speed / Queue position"),this); showDLPriorityAct->setCheckable(true); showDLPriorityAct->setToolTip(tr("Show Speed / Queue position Column")); connect(showDLPriorityAct,SIGNAL(triggered(bool)),this,SLOT(setShowDLPriorityColumn(bool))) ; showDLRemainingAct= new QAction(tr("Remaining"),this); showDLRemainingAct->setCheckable(true); showDLRemainingAct->setToolTip(tr("Show Remaining Column")); connect(showDLRemainingAct,SIGNAL(triggered(bool)),this,SLOT(setShowDLRemainingColumn(bool))) ; showDLDownloadTimeAct= new QAction(tr("Download time"),this); showDLDownloadTimeAct->setCheckable(true); showDLDownloadTimeAct->setToolTip(tr("Show Download time Column")); connect(showDLDownloadTimeAct,SIGNAL(triggered(bool)),this,SLOT(setShowDLDownloadTimeColumn(bool))) ; showDLIDAct= new QAction(tr("Hash"),this); showDLIDAct->setCheckable(true); showDLIDAct->setToolTip(tr("Show Hash Column")); connect(showDLIDAct,SIGNAL(triggered(bool)),this,SLOT(setShowDLIDColumn(bool))) ; showDLLastDLAct= new QAction(tr("Last Time Seen"),this); showDLLastDLAct->setCheckable(true); showDLLastDLAct->setToolTip(tr("Show Last Time Seen Column")); connect(showDLLastDLAct,SIGNAL(triggered(bool)),this,SLOT(setShowDLLastDLColumn(bool))) ; showDLPath= new QAction(tr("Path"),this); showDLPath->setCheckable(true); showDLPath->setToolTip(tr("Show Path Column")); connect(showDLPath,SIGNAL(triggered(bool)),this,SLOT(setShowDLPath(bool))) ; /** Setup the actions for the upload context menu */ ulOpenFolderAct = new QAction(QIcon(IMAGE_OPENFOLDER), tr("Open Folder"), this); connect(ulOpenFolderAct, SIGNAL(triggered()), this, SLOT(ulOpenFolder())); ulCopyLinkAct = new QAction(QIcon(IMAGE_COPYLINK), tr( "Copy RetroShare Link" ), this ); connect( ulCopyLinkAct , SIGNAL( triggered() ), this, SLOT( ulCopyLink() ) ); // load settings processSettings(true); int S = QFontMetricsF(font()).height(); QString help_str = tr( "

  File Transfer

\

Retroshare brings two ways of transferring files: direct transfers from your friends, and \ distant anonymous tunnelled transfers. In addition, file transfer is multi-source and allows swarming \ (you can be a source while downloading)

\

You can share files using the icon from the left side bar. \ These files will be listed in the My Files tab. You can decide for each friend group whether they can or not see these files \ in their Friends Files tab

\

The search tab reports files from your friends' file lists, and distant files that can be reached \ anonymously using the multi-hop tunnelling system.

\ ").arg(QString::number(2*S)).arg(QString::number(S)) ; registerHelpButton(ui.helpButton,help_str,"TransfersDialog") ; } TransfersDialog::~TransfersDialog() { // save settings processSettings(false); } void TransfersDialog::activatePage(TransfersDialog::Page page) { switch(page) { case TransfersDialog::SearchTab: ui.tabWidget->setCurrentWidget(searchDialog) ; break ; case TransfersDialog::LocalSharedFilesTab: ui.tabWidget->setCurrentWidget(localSharedFiles) ; break ; case TransfersDialog::RemoteSharedFilesTab: ui.tabWidget->setCurrentWidget(remoteSharedFiles) ; break ; } } UserNotify *TransfersDialog::getUserNotify(QObject *parent) { return new TransferUserNotify(parent); } void TransfersDialog::processSettings(bool bLoad) { m_bProcessSettings = true; QHeaderView *DLHeader = ui.downloadList->header () ; QHeaderView *ULHeader = ui.uploadsList->header () ; Settings->beginGroup(QString("TransfersDialog")); if (bLoad) { // load settings // state of the lists DLHeader->restoreState(Settings->value("downloadList").toByteArray()); ULHeader->restoreState(Settings->value("uploadList").toByteArray()); // state of splitter ui.splitter->restoreState(Settings->value("Splitter").toByteArray()); setShowDLSizeColumn(Settings->value("showDLSizeColumn", !ui.downloadList->isColumnHidden(COLUMN_SIZE)).toBool()); setShowDLCompleteColumn(Settings->value("showDLCompleteColumn", !ui.downloadList->isColumnHidden(COLUMN_COMPLETED)).toBool()); setShowDLDLSpeedColumn(Settings->value("showDLDLSpeedColumn", !ui.downloadList->isColumnHidden(COLUMN_DLSPEED)).toBool()); setShowDLProgressColumn(Settings->value("showDLProgressColumn", !ui.downloadList->isColumnHidden(COLUMN_PROGRESS)).toBool()); setShowDLSourcesColumn(Settings->value("showDLSourcesColumn", !ui.downloadList->isColumnHidden(COLUMN_SOURCES)).toBool()); setShowDLStatusColumn(Settings->value("showDLStatusColumn", !ui.downloadList->isColumnHidden(COLUMN_STATUS)).toBool()); setShowDLPriorityColumn(Settings->value("showDLPriorityColumn", !ui.downloadList->isColumnHidden(COLUMN_PRIORITY)).toBool()); setShowDLRemainingColumn(Settings->value("showDLRemainingColumn", !ui.downloadList->isColumnHidden(COLUMN_REMAINING)).toBool()); setShowDLDownloadTimeColumn(Settings->value("showDLDownloadTimeColumn", !ui.downloadList->isColumnHidden(COLUMN_DOWNLOADTIME)).toBool()); setShowDLIDColumn(Settings->value("showDLIDColumn", !ui.downloadList->isColumnHidden(COLUMN_ID)).toBool()); setShowDLLastDLColumn(Settings->value("showDLLastDLColumn", !ui.downloadList->isColumnHidden(COLUMN_LASTDL)).toBool()); setShowDLPath(Settings->value("showDLPath", !ui.downloadList->isColumnHidden(COLUMN_PATH)).toBool()); // selected tab ui.tabWidget->setCurrentIndex(Settings->value("selectedTab").toInt()); } else { // save settings // state of the lists Settings->setValue("downloadList", DLHeader->saveState()); Settings->setValue("uploadList", ULHeader->saveState()); // state of splitter Settings->setValue("Splitter", ui.splitter->saveState()); Settings->setValue("showDLSizeColumn", !ui.downloadList->isColumnHidden(COLUMN_SIZE)); Settings->setValue("showDLCompleteColumn", !ui.downloadList->isColumnHidden(COLUMN_COMPLETED)); Settings->setValue("showDLDLSpeedColumn", !ui.downloadList->isColumnHidden(COLUMN_DLSPEED)); Settings->setValue("showDLProgressColumn", !ui.downloadList->isColumnHidden(COLUMN_PROGRESS)); Settings->setValue("showDLSourcesColumn", !ui.downloadList->isColumnHidden(COLUMN_SOURCES)); Settings->setValue("showDLStatusColumn", !ui.downloadList->isColumnHidden(COLUMN_STATUS)); Settings->setValue("showDLPriorityColumn", !ui.downloadList->isColumnHidden(COLUMN_PRIORITY)); Settings->setValue("showDLRemainingColumn", !ui.downloadList->isColumnHidden(COLUMN_REMAINING)); Settings->setValue("showDLDownloadTimeColumn", !ui.downloadList->isColumnHidden(COLUMN_DOWNLOADTIME)); Settings->setValue("showDLIDColumn", !ui.downloadList->isColumnHidden(COLUMN_ID)); Settings->setValue("showDLLastDLColumn", !ui.downloadList->isColumnHidden(COLUMN_LASTDL)); Settings->setValue("showDLPath", !ui.downloadList->isColumnHidden(COLUMN_PATH)); // selected tab Settings->setValue("selectedTab", ui.tabWidget->currentIndex()); } Settings->endGroup(); m_bProcessSettings = false; } void TransfersDialog::downloadListCustomPopupMenu( QPoint /*point*/ ) { std::set items ; getDLSelectedItems(&items, NULL) ; bool single = (items.size() == 1) ; bool atLeastOne_Waiting = false ; bool atLeastOne_Downloading = false ; bool atLeastOne_Complete = false ; bool atLeastOne_Queued = false ; bool atLeastOne_Paused = false ; bool add_PlayOption = false ; bool add_PreviewOption=false ; bool add_OpenFileOption = false ; bool add_CopyLink = false ; bool add_PasteLink = false ; bool add_CollActions = false ; FileInfo info; QMenu priorityQueueMenu(tr("Move in Queue..."), this); priorityQueueMenu.setIcon(QIcon(IMAGE_PRIORITY)); priorityQueueMenu.addAction(queueTopAct); priorityQueueMenu.addAction(queueUpAct); priorityQueueMenu.addAction(queueDownAct); priorityQueueMenu.addAction(queueBottomAct); QMenu prioritySpeedMenu(tr("Priority (Speed)..."), this); prioritySpeedMenu.setIcon(QIcon(IMAGE_PRIORITY)); prioritySpeedMenu.addAction(prioritySlowAct); prioritySpeedMenu.addAction(priorityMediumAct); prioritySpeedMenu.addAction(priorityFastAct); QMenu chunkMenu(tr("Chunk strategy"), this); chunkMenu.setIcon(QIcon(IMAGE_PRIORITY)); chunkMenu.addAction(chunkStreamingAct); chunkMenu.addAction(chunkProgressiveAct); chunkMenu.addAction(chunkRandomAct); QMenu collectionMenu(tr("Collection"), this); collectionMenu.setIcon(QIcon(IMAGE_LIBRARY)); collectionMenu.addAction(collCreateAct); collectionMenu.addAction(collModifAct); collectionMenu.addAction(collViewAct); collectionMenu.addAction(collOpenAct); QMenu contextMnu( this ); if(!RSLinkClipboard::empty(RetroShareLink::TYPE_FILE)) add_PasteLink=true; if(!RSLinkClipboard::empty(RetroShareLink::TYPE_FILE_TREE)) add_PasteLink=true; if(!items.empty()) { add_CopyLink = true ; //Look for all selected items std::set::const_iterator it = items.begin(); std::set::const_iterator end = items.end(); for (; it != end ; ++it) { RsFileHash fileHash = *it; //Look only for first column == File List //Get Info for current item if (rsFiles->FileDetails(fileHash, RS_FILE_HINTS_DOWNLOAD, info)) { /*const uint32_t FT_STATE_FAILED = 0x0000; *const uint32_t FT_STATE_OKAY = 0x0001; *const uint32_t FT_STATE_WAITING = 0x0002; *const uint32_t FT_STATE_DOWNLOADING = 0x0003; *const uint32_t FT_STATE_COMPLETE = 0x0004; *const uint32_t FT_STATE_QUEUED = 0x0005; *const uint32_t FT_STATE_PAUSED = 0x0006; *const uint32_t FT_STATE_CHECKING_HASH = 0x0007; */ if (info.downloadStatus == FT_STATE_WAITING) atLeastOne_Waiting = true ; if (info.downloadStatus == FT_STATE_DOWNLOADING) atLeastOne_Downloading=true ; if (info.downloadStatus == FT_STATE_COMPLETE) { atLeastOne_Complete = true ; add_OpenFileOption = single ; } if (info.downloadStatus == FT_STATE_QUEUED) atLeastOne_Queued = true ; if (info.downloadStatus == FT_STATE_PAUSED) atLeastOne_Paused = true ; size_t pos = info.fname.find_last_of('.') ; if (pos != std::string::npos) { // Check if the file is a media file if (misc::isPreviewable(info.fname.substr(pos + 1).c_str())) { add_PreviewOption = (info.downloadStatus != FT_STATE_COMPLETE) ; add_PlayOption = !add_PreviewOption ; } // Check if the file is a collection if (RsCollection::ExtensionString == info.fname.substr(pos + 1).c_str()) { add_CollActions = (info.downloadStatus == FT_STATE_COMPLETE); } } } } } if (atLeastOne_Waiting || atLeastOne_Downloading || atLeastOne_Queued || atLeastOne_Paused) { contextMnu.addMenu( &prioritySpeedMenu) ; } if (atLeastOne_Queued) { contextMnu.addMenu( &priorityQueueMenu) ; } if ( (!items.empty()) && (atLeastOne_Downloading || atLeastOne_Queued || atLeastOne_Waiting || atLeastOne_Paused)) { contextMnu.addMenu(&chunkMenu) ; if (single) { contextMnu.addAction( renameFileAct) ; } QMenu *directoryMenu = contextMnu.addMenu(QIcon(IMAGE_OPENFOLDER), tr("Set destination directory")) ; directoryMenu->addAction(specifyDestinationDirectoryAct) ; // Now get the list of existing directories. std::list< SharedDirInfo> dirs ; rsFiles->getSharedDirectories( dirs) ; for (std::list::const_iterator it(dirs.begin());it!=dirs.end();++it){ // Check for existence of directory name QFile directory( QString::fromUtf8((*it).filename.c_str())) ; if (!directory.exists()) continue ; if (!(directory.permissions() & QFile::WriteOwner)) continue ; QAction *act = new QAction(QString::fromUtf8((*it).virtualname.c_str()), directoryMenu) ; act->setData(QString::fromUtf8( (*it).filename.c_str() ) ) ; connect(act, SIGNAL(triggered()), this, SLOT(setDestinationDirectory())) ; directoryMenu->addAction( act) ; } } if (atLeastOne_Paused) contextMnu.addAction(resumeAct) ; if (atLeastOne_Downloading || atLeastOne_Queued || atLeastOne_Waiting) contextMnu.addAction(pauseAct) ; if (!atLeastOne_Complete && !items.empty()) { contextMnu.addAction(forceCheckAct) ; contextMnu.addAction(cancelAct) ; } if (add_PlayOption) contextMnu.addAction(playAct) ; if (atLeastOne_Paused || atLeastOne_Downloading || atLeastOne_Complete || add_PlayOption) contextMnu.addSeparator() ; if (single) { if (add_OpenFileOption) contextMnu.addAction( openFileAct) ; if (add_PreviewOption) contextMnu.addAction( previewFileAct) ; contextMnu.addAction( openFolderAct) ; contextMnu.addAction( detailsFileAct) ; contextMnu.addSeparator() ;//-------------------------------------------- } contextMnu.addAction( clearCompletedAct) ; contextMnu.addSeparator() ; if (add_CopyLink) { contextMnu.addAction( copyLinkAct) ; } if (add_PasteLink) { contextMnu.addAction( pasteLinkAct) ; } if (add_CopyLink || add_PasteLink) { contextMnu.addSeparator() ; } if (DLLFilterModel->rowCount()>0 ) { contextMnu.addAction( expandAllDLAct ) ; contextMnu.addAction( collapseAllDLAct ) ; } contextMnu.addSeparator() ;//----------------------------------------------- collCreateAct->setEnabled(true) ; collModifAct->setEnabled(single && add_CollActions) ; collViewAct->setEnabled(single && add_CollActions) ; collOpenAct->setEnabled(true) ; contextMnu.addMenu(&collectionMenu) ; contextMnu.exec(QCursor::pos()) ; } void TransfersDialog::downloadListHeaderCustomPopupMenu( QPoint /*point*/ ) { std::cerr << "TransfersDialog::downloadListHeaderCustomPopupMenu()" << std::endl; QMenu contextMnu( this ); showDLSizeAct->setChecked(!ui.downloadList->isColumnHidden(COLUMN_SIZE)); showDLCompleteAct->setChecked(!ui.downloadList->isColumnHidden(COLUMN_COMPLETED)); showDLDLSpeedAct->setChecked(!ui.downloadList->isColumnHidden(COLUMN_DLSPEED)); showDLProgressAct->setChecked(!ui.downloadList->isColumnHidden(COLUMN_PROGRESS)); showDLSourcesAct->setChecked(!ui.downloadList->isColumnHidden(COLUMN_SOURCES)); showDLStatusAct->setChecked(!ui.downloadList->isColumnHidden(COLUMN_STATUS)); showDLPriorityAct->setChecked(!ui.downloadList->isColumnHidden(COLUMN_PRIORITY)); showDLRemainingAct->setChecked(!ui.downloadList->isColumnHidden(COLUMN_REMAINING)); showDLDownloadTimeAct->setChecked(!ui.downloadList->isColumnHidden(COLUMN_DOWNLOADTIME)); showDLIDAct->setChecked(!ui.downloadList->isColumnHidden(COLUMN_ID)); showDLLastDLAct->setChecked(!ui.downloadList->isColumnHidden(COLUMN_LASTDL)); showDLPath->setChecked(!ui.downloadList->isColumnHidden(COLUMN_PATH)); QMenu *menu = contextMnu.addMenu(tr("Columns")); menu->addAction(showDLSizeAct); menu->addAction(showDLCompleteAct); menu->addAction(showDLDLSpeedAct); menu->addAction(showDLProgressAct); menu->addAction(showDLSourcesAct); menu->addAction(showDLStatusAct); menu->addAction(showDLPriorityAct); menu->addAction(showDLRemainingAct); menu->addAction(showDLDownloadTimeAct); menu->addAction(showDLIDAct); menu->addAction(showDLLastDLAct); menu->addAction(showDLPath); contextMnu.exec(QCursor::pos()); } void TransfersDialog::uploadsListCustomPopupMenu( QPoint /*point*/ ) { std::set items; getULSelectedItems(&items, NULL); bool single = (items.size() == 1); bool add_CopyLink = !items.empty(); QMenu contextMnu( this ); if(single) contextMnu.addAction( ulOpenFolderAct); if (add_CopyLink) contextMnu.addAction( ulCopyLinkAct); if (ULListModel->rowCount()>0 ) { if(single || add_CopyLink) contextMnu.addSeparator() ;//----------------------------------------------- contextMnu.addAction( expandAllULAct ) ; contextMnu.addAction( collapseAllULAct ) ; } contextMnu.exec(QCursor::pos()); } void TransfersDialog::chooseDestinationDirectory() { QString dest_dir = QFileDialog::getExistingDirectory(this,tr("Choose directory")) ; if(dest_dir.isNull()) return ; std::set items ; getDLSelectedItems(&items, NULL); for(std::set::const_iterator it(items.begin());it!=items.end();++it) { std::cerr << "Setting new directory " << dest_dir.toUtf8().data() << " to file " << *it << std::endl; rsFiles->setDestinationDirectory(*it,dest_dir.toUtf8().data() ) ; } } void TransfersDialog::setDestinationDirectory() { std::string dest_dir(qobject_cast(sender())->data().toString().toUtf8().data()) ; std::set items ; getDLSelectedItems(&items, NULL); for(std::set::const_iterator it(items.begin());it!=items.end();++it) { std::cerr << "Setting new directory " << dest_dir << " to file " << *it << std::endl; rsFiles->setDestinationDirectory(*it,dest_dir) ; } } /* int TransfersDialog::addDLItem(int row, const FileInfo &fileInfo) { QString fileHash = QString::fromStdString(fileInfo.hash.toStdString()); double fileDlspeed = (fileInfo.downloadStatus == FT_STATE_DOWNLOADING) ? (fileInfo.tfRate * 1024.0) : 0.0; QString status; switch (fileInfo.downloadStatus) { case FT_STATE_FAILED: status = tr("Failed"); break; case FT_STATE_OKAY: status = tr("Okay"); break; case FT_STATE_WAITING: status = tr("Waiting"); break; case FT_STATE_DOWNLOADING: status = tr("Downloading"); break; case FT_STATE_COMPLETE: status = tr("Complete"); break; case FT_STATE_QUEUED: status = tr("Queued"); break; case FT_STATE_PAUSED: status = tr("Paused"); break; case FT_STATE_CHECKING_HASH:status = tr("Checking..."); break; default: status = tr("Unknown"); break; } double priority = PRIORITY_NULL; if (fileInfo.downloadStatus == FT_STATE_QUEUED) { priority = fileInfo.queue_position; } else if (fileInfo.downloadStatus == FT_STATE_COMPLETE) { priority = 0; } else { switch (fileInfo.priority) { case SPEED_LOW: priority = PRIORITY_SLOWER; break; case SPEED_NORMAL: priority = PRIORITY_AVERAGE; break; case SPEED_HIGH: priority = PRIORITY_FASTER; break; default: priority = PRIORITY_AVERAGE; break; } } qlonglong completed = fileInfo.transfered; qlonglong remaining = fileInfo.size - fileInfo.transfered; qlonglong downloadtime = (fileInfo.tfRate > 0)?( (fileInfo.size - fileInfo.transfered) / (fileInfo.tfRate * 1024.0) ) : 0 ; qint64 qi64LastDL = fileInfo.lastTS ; //std::numeric_limits::max(); if (qi64LastDL == 0) // file is complete, or any raison why the time has not been set properly { QFileInfo file; if (fileInfo.downloadStatus == FT_STATE_COMPLETE) file = QFileInfo(QString::fromUtf8(fileInfo.path.c_str()), QString::fromUtf8(fileInfo.fname.c_str())); else file = QFileInfo(QString::fromUtf8(rsFiles->getPartialsDirectory().c_str()), QString::fromUtf8(fileInfo.hash.toStdString().c_str())); //Get Last Access on File if (file.exists()) qi64LastDL = file.lastModified().toTime_t(); } QString strPath = QString::fromUtf8(fileInfo.path.c_str()); QString strPathAfterDL = strPath; strPathAfterDL.replace(QString::fromUtf8(rsFiles->getDownloadDirectory().c_str()),""); FileChunksInfo fcinfo; if (!rsFiles->FileDownloadChunksDetails(fileInfo.hash, fcinfo)) { return -1; } FileProgressInfo pinfo; pinfo.cmap = fcinfo.chunks; pinfo.type = FileProgressInfo::DOWNLOAD_LINE; pinfo.progress = (fileInfo.size == 0) ? 0 : (completed * 100.0 / fileInfo.size); pinfo.nb_chunks = pinfo.cmap._map.empty() ? 0 : fcinfo.chunks.size(); for (uint32_t i = 0; i < fcinfo.chunks.size(); ++i) switch(fcinfo.chunks[i]) { case FileChunksInfo::CHUNK_CHECKING: pinfo.chunks_in_checking.push_back(i); break ; case FileChunksInfo::CHUNK_ACTIVE: pinfo.chunks_in_progress.push_back(i); break ; case FileChunksInfo::CHUNK_DONE: case FileChunksInfo::CHUNK_OUTSTANDING: break ; } QString tooltip; if (fileInfo.downloadStatus == FT_STATE_CHECKING_HASH) { tooltip = tr("If the hash of the downloaded data does\nnot correspond to the hash announced\nby the file source. The data is likely \nto be corrupted.\n\nRetroShare will ask the source a detailed \nmap of the data; it will compare and invalidate\nbad blocks, and download them again\n\nTry to be patient!") ; } if (row < 0) { row = DLListModel->rowCount(); DLListModel->insertRow(row); // change progress column to own class for sorting DLListModel->setItem(row, COLUMN_PROGRESS, new ProgressItem(NULL)); DLListModel->setData(DLListModel->index(row, COLUMN_SIZE), QVariant((qlonglong) fileInfo.size)); DLListModel->setData(DLListModel->index(row, COLUMN_ID), fileHash, Qt::DisplayRole); DLListModel->setData(DLListModel->index(row, COLUMN_ID), fileHash, Qt::UserRole); } QString fileName = QString::fromUtf8(fileInfo.fname.c_str()); DLListModel->setData(DLListModel->index(row, COLUMN_NAME), fileName); DLListModel->setData(DLListModel->index(row, COLUMN_NAME), FilesDefs::getIconFromFilename(fileName), Qt::DecorationRole); DLListModel->setData(DLListModel->index(row, COLUMN_COMPLETED), QVariant((qlonglong)completed)); DLListModel->setData(DLListModel->index(row, COLUMN_DLSPEED), QVariant((double)fileDlspeed)); DLListModel->setData(DLListModel->index(row, COLUMN_PROGRESS), QVariant((float)pinfo.progress)); DLListModel->setData(DLListModel->index(row, COLUMN_PROGRESS), QVariant::fromValue(pinfo), Qt::UserRole); DLListModel->setData(DLListModel->index(row, COLUMN_STATUS), QVariant(status)); DLListModel->setData(DLListModel->index(row, COLUMN_PRIORITY), QVariant(priority)); DLListModel->setData(DLListModel->index(row, COLUMN_REMAINING), QVariant((qlonglong)remaining)); DLListModel->setData(DLListModel->index(row, COLUMN_DOWNLOADTIME), QVariant((qlonglong)downloadtime)); DLListModel->setData(DLListModel->index(row, COLUMN_LASTDL), QVariant(qi64LastDL)); DLListModel->setData(DLListModel->index(row, COLUMN_PATH), QVariant(strPathAfterDL)); DLListModel->item(row,COLUMN_PATH)->setToolTip(strPath); DLListModel->item(row,COLUMN_STATUS)->setToolTip(tooltip); QStandardItem *dlItem = DLListModel->item(row); std::set used_rows ; int active = 0; if (fileInfo.downloadStatus != FT_STATE_COMPLETE) { for (std::vector::const_iterator pit = fileInfo.peers.begin() ; pit != fileInfo.peers.end(); ++pit) { const TransferInfo &transferInfo = *pit; //unique combination: fileHash + peerId, variant: hash + peerName (too long) QString hashFileAndPeerId = fileHash + QString::fromStdString(transferInfo.peerId.toStdString()); double peerDlspeed = 0; if ((uint32_t)transferInfo.status == FT_STATE_DOWNLOADING && fileInfo.downloadStatus != FT_STATE_PAUSED && fileInfo.downloadStatus != FT_STATE_COMPLETE) peerDlspeed = transferInfo.tfRate * 1024.0; FileProgressInfo peerpinfo; peerpinfo.cmap = fcinfo.compressed_peer_availability_maps[transferInfo.peerId]; peerpinfo.type = FileProgressInfo::DOWNLOAD_SOURCE ; peerpinfo.progress = 0.0; // we don't display completion for sources. peerpinfo.nb_chunks = peerpinfo.cmap._map.empty() ? 0 : fcinfo.chunks.size(); int row_id = addPeerToDLItem(dlItem, transferInfo.peerId, hashFileAndPeerId, peerDlspeed, transferInfo.status, peerpinfo); used_rows.insert(row_id); // get the sources (number of online peers) if (transferInfo.tfRate > 0 && fileInfo.downloadStatus == FT_STATE_DOWNLOADING) ++active; } } float fltSources = active + (float)fileInfo.peers.size()/1000; DLListModel->setData(DLListModel->index(row, COLUMN_SOURCES), fltSources); // This is not optimal, but we deal with a small number of elements. The reverse order is really important, // because rows after the deleted rows change positions ! // for (int r = dlItem->rowCount() - 1; r >= 0; --r) { if (used_rows.find(r) == used_rows.end()) { dlItem->removeRow(r); } } return row; } int TransfersDialog::addPeerToDLItem(QStandardItem *dlItem, const RsPeerId& peer_ID, const QString& coreID, double dlspeed, uint32_t status, const FileProgressInfo& peerInfo) { // try to find the item int childRow = -1; QStandardItem *childId = NULL; for (int count = 0; (childId = dlItem->child(count, COLUMN_ID)) != NULL; ++count) { if (childId->data(Qt::UserRole).toString() == coreID) { childRow = count; break; } } QStandardItem *siName = NULL; QStandardItem *siStatus = NULL; if (childRow == -1) { // set this false if you want to expand on double click dlItem->setEditable(false); QHeaderView *header = ui.downloadList->header(); QStandardItem *iName = new QStandardItem(); //COLUMN_NAME QStandardItem *iSize = new SortByNameItem(header); //COLUMN_SIZE QStandardItem *iCompleted = new SortByNameItem(header); //COLUMN_COMPLETED QStandardItem *iDlSpeed = new SortByNameItem(header); //COLUMN_DLSPEED QStandardItem *iProgress = new ProgressItem(header); //COLUMN_PROGRESS QStandardItem *iSource = new SortByNameItem(header); //COLUMN_SOURCES QStandardItem *iStatus = new SortByNameItem(header); //COLUMN_STATUS QStandardItem *iPriority = new SortByNameItem(header); //COLUMN_PRIORITY QStandardItem *iRemaining = new SortByNameItem(header); //COLUMN_REMAINING QStandardItem *iDownloadTime = new SortByNameItem(header); //COLUMN_DOWNLOADTIME QStandardItem *iID = new SortByNameItem(header); //COLUMN_ID QStandardItem *iLastDL = new SortByNameItem(header); //COLUMN_LASTDL QStandardItem *iPath = new SortByNameItem(header); //COLUMN_PATH siName = iName; siStatus = iStatus; QList items; QString iconName; QString tooltip; iName->setData(QVariant(getPeerName(peer_ID, iconName, tooltip)), Qt::DisplayRole); iName->setData(QIcon(iconName), Qt::DecorationRole); iName->setData(QVariant(tooltip), Qt::ToolTipRole); iSize->setData(QVariant(QString()), Qt::DisplayRole); iCompleted->setData(QVariant(QString()), Qt::DisplayRole); iDlSpeed->setData(QVariant((double)dlspeed), Qt::DisplayRole); iProgress->setData(QVariant((float)peerInfo.progress), Qt::DisplayRole); iProgress->setData(QVariant::fromValue(peerInfo), Qt::UserRole); iSource->setData(QVariant(QString()), Qt::DisplayRole); iPriority->setData(QVariant((double)PRIORITY_NULL), Qt::DisplayRole); // blank field for priority iRemaining->setData(QVariant(QString()), Qt::DisplayRole); iDownloadTime->setData(QVariant(QString()), Qt::DisplayRole); iID->setData(QVariant() , Qt::DisplayRole); iID->setData(QVariant(coreID), Qt::UserRole); iLastDL->setData(QVariant(QString()), Qt::DisplayRole); iPath->setData(QVariant(QString()), Qt::DisplayRole); items.append(iName); items.append(iSize); items.append(iCompleted); items.append(iDlSpeed); items.append(iProgress); items.append(iSource); items.append(iStatus); items.append(iPriority); items.append(iRemaining); items.append(iDownloadTime); items.append(iID); items.append(iLastDL); items.append(iPath); dlItem->appendRow(items); childRow = dlItem->rowCount() - 1; } else { // just update the child (peer) dlItem->child(childRow, COLUMN_DLSPEED)->setData(QVariant((double)dlspeed), Qt::DisplayRole); dlItem->child(childRow, COLUMN_PROGRESS)->setData(QVariant((float)peerInfo.progress), Qt::DisplayRole); dlItem->child(childRow, COLUMN_PROGRESS)->setData(QVariant::fromValue(peerInfo), Qt::UserRole); siName = dlItem->child(childRow,COLUMN_NAME); siStatus = dlItem->child(childRow, COLUMN_STATUS); } switch (status) { case FT_STATE_FAILED: siStatus->setData(QVariant(tr("Failed"))) ; siName->setData(QIcon(":/images/Client1.png"), Qt::StatusTipRole); break ; case FT_STATE_OKAY: siStatus->setData(QVariant(tr("Okay"))); siName->setData(QIcon(":/images/Client2.png"), Qt::StatusTipRole); break ; case FT_STATE_WAITING: siStatus->setData(QVariant(tr(""))); siName->setData(QIcon(":/images/Client3.png"), Qt::StatusTipRole); break ; case FT_STATE_DOWNLOADING: siStatus->setData(QVariant(tr("Transferring"))); siName->setData(QIcon(":/images/Client0.png"), Qt::StatusTipRole); break ; case FT_STATE_COMPLETE: siStatus->setData(QVariant(tr("Complete"))); siName->setData(QIcon(":/images/Client0.png"), Qt::StatusTipRole); break ; default: siStatus->setData(QVariant(tr(""))); siName->setData(QIcon(":/images/Client4.png"), Qt::StatusTipRole); } return childRow; } */ int TransfersDialog::addULItem(int row, const FileInfo &fileInfo) { if (fileInfo.peers.empty()) return -1; //No Peers, nothing to do. QString fileHash = QString::fromStdString(fileInfo.hash.toStdString()); RsPeerId ownId = rsPeers->getOwnId(); QString fileName = QString::fromUtf8(fileInfo.fname.c_str()); qlonglong fileSize = fileInfo.size; if(row < 0 ) { row = ULListModel->rowCount(); ULListModel->insertRow(row); // change progress column to own class for sorting //ULListModel->setItem(row, COLUMN_UPROGRESS, new ProgressItem(NULL)); ULListModel->setData(ULListModel->index(row, COLUMN_UNAME), fileName); ULListModel->setData(ULListModel->index(row, COLUMN_UNAME), FilesDefs::getIconFromFilename(fileName), Qt::DecorationRole); ULListModel->setData(ULListModel->index(row, COLUMN_UHASH), fileHash); ULListModel->setData(ULListModel->index(row, COLUMN_UHASH), fileHash, Qt::UserRole); } ULListModel->setData(ULListModel->index(row, COLUMN_USIZE), QVariant((qlonglong)fileSize)); //Reset Parent info if child present ULListModel->setData(ULListModel->index(row, COLUMN_UPEER), QVariant(QString(tr("%1 tunnels").arg(fileInfo.peers.size()))) ); ULListModel->setData(ULListModel->index(row, COLUMN_UPEER), QIcon(), Qt::DecorationRole); ULListModel->setData(ULListModel->index(row, COLUMN_UPEER), QVariant(), Qt::ToolTipRole); ULListModel->setData(ULListModel->index(row, COLUMN_UTRANSFERRED), QVariant()); ULListModel->setData(ULListModel->index(row, COLUMN_UPROGRESS), QVariant()); QStandardItem *ulItem = ULListModel->item(row); std::set used_rows ; double peerULSpeedTotal = 0; bool bOnlyOne = ( fileInfo.peers.size() == 1 ); for(std::vector::const_iterator pit = fileInfo.peers.begin() ; pit != fileInfo.peers.end(); ++pit) { const TransferInfo &transferInfo = *pit; if (transferInfo.peerId == ownId) //don't display transfer to ourselves continue ; //unique combination: fileHash + peerId, variant: hash + peerName (too long) QString hashFileAndPeerId = fileHash + QString::fromStdString(transferInfo.peerId.toStdString()); qlonglong completed = transferInfo.transfered; double peerULSpeed = transferInfo.tfRate * 1024.0; FileProgressInfo peerpinfo ; if(!rsFiles->FileUploadChunksDetails(fileInfo.hash, transferInfo.peerId, peerpinfo.cmap) ) continue ; // Estimate the completion. We need something more accurate, meaning that we need to // transmit the completion info. // uint32_t chunk_size = 1024*1024 ; uint32_t nb_chunks = (uint32_t)((fileInfo.size + (uint64_t)chunk_size - 1) / (uint64_t)(chunk_size)) ; uint32_t filled_chunks = peerpinfo.cmap.filledChunks(nb_chunks) ; peerpinfo.type = FileProgressInfo::UPLOAD_LINE ; peerpinfo.nb_chunks = peerpinfo.cmap._map.empty()?0:nb_chunks ; if(filled_chunks > 0 && nb_chunks > 0) { completed = peerpinfo.cmap.computeProgress(fileInfo.size,chunk_size) ; peerpinfo.progress = completed / (float)fileInfo.size * 100.0f ; } else { completed = transferInfo.transfered % chunk_size ; // use the position with respect to last request. peerpinfo.progress = (fileInfo.size>0)?((transferInfo.transfered % chunk_size)*100.0/fileInfo.size):0 ; } if (bOnlyOne) { //Only one peer so update parent QString iconName; QString tooltip; ULListModel->setData(ULListModel->index(row, COLUMN_UPEER), QVariant(getPeerName(transferInfo.peerId, iconName, tooltip))); ULListModel->setData(ULListModel->index(row, COLUMN_UPEER), QIcon(iconName), Qt::DecorationRole); ULListModel->setData(ULListModel->index(row, COLUMN_UPEER), QVariant(tooltip), Qt::ToolTipRole); ULListModel->setData(ULListModel->index(row, COLUMN_UTRANSFERRED), QVariant(completed)); ULListModel->setData(ULListModel->index(row, COLUMN_UPROGRESS), QVariant::fromValue(peerpinfo)); } else { int row_id = addPeerToULItem(ulItem, transferInfo.peerId, hashFileAndPeerId, completed, peerULSpeed, peerpinfo); used_rows.insert(row_id); } peerULSpeedTotal += peerULSpeed; } // Update Parent UpLoad Speed ULListModel->setData(ULListModel->index(row, COLUMN_ULSPEED), QVariant((double)peerULSpeedTotal)); // This is not optimal, but we deal with a small number of elements. The reverse order is really important, // because rows after the deleted rows change positions ! // for (int r = ulItem->rowCount() - 1; r >= 0; --r) { if (used_rows.find(r) == used_rows.end()) { ulItem->removeRow(r); } } return row; } int TransfersDialog::addPeerToULItem(QStandardItem *ulItem, const RsPeerId& peer_ID, const QString& coreID, qlonglong completed, double ulspeed, const FileProgressInfo& peerInfo) { // try to find the item int childRow = -1; QStandardItem *childId = NULL; for (int count = 0; (childId = ulItem->child(count, COLUMN_UHASH)) != NULL; ++count) { if (childId->data(Qt::UserRole).toString() == coreID) { childRow = count; break; } } if (childRow == -1) { // set this false if you want to expand on double click ulItem->setEditable(false); QHeaderView *header = ui.uploadsList->header(); QStandardItem *iName = new QStandardItem(); //COLUMN_UNAME QStandardItem *iPeer = new QStandardItem(); //COLUMN_UPEER QStandardItem *iSize = new SortByNameItem(header); //COLUMN_USIZE QStandardItem *iTransferred = new SortByNameItem(header); //COLUMN_UTRANSFERRED QStandardItem *iULSpeed = new SortByNameItem(header); //COLUMN_ULSPEED QStandardItem *iProgress = new ProgressItem(header); //COLUMN_UPROGRESS QStandardItem *iHash = new SortByNameItem(header); //COLUMN_UHASH QList items; iName->setData( QVariant(QString()), Qt::DisplayRole); QString iconName; QString tooltip; iPeer->setData( QVariant(getPeerName(peer_ID, iconName, tooltip)), Qt::DisplayRole); iPeer->setData( QIcon(iconName), Qt::DecorationRole); iPeer->setData( QVariant(tooltip), Qt::ToolTipRole); iSize->setData( QVariant(QString()), Qt::DisplayRole); iTransferred->setData(QVariant((qlonglong)completed), Qt::DisplayRole); iULSpeed->setData( QVariant((double)ulspeed), Qt::DisplayRole); iProgress->setData( QVariant::fromValue(peerInfo), Qt::DisplayRole); iHash->setData( QVariant(), Qt::DisplayRole); iHash->setData( QVariant(coreID), Qt::UserRole); items.append(iName); items.append(iPeer); items.append(iSize); items.append(iTransferred); items.append(iULSpeed); items.append(iProgress); items.append(iHash); ulItem->appendRow(items); childRow = ulItem->rowCount() - 1; } else { // just update the child (peer) ulItem->child(childRow, COLUMN_ULSPEED)->setData(QVariant((double)ulspeed), Qt::DisplayRole); ulItem->child(childRow, COLUMN_UTRANSFERRED)->setData(QVariant((qlonglong)completed), Qt::DisplayRole); ulItem->child(childRow, COLUMN_UPROGRESS)->setData(QVariant::fromValue(peerInfo), Qt::DisplayRole); } return childRow; } /* get the list of Transfers from the RsIface. **/ void TransfersDialog::updateDisplay() { insertTransfers(); updateDetailsDialog (); } void TransfersDialog::insertTransfers() { // Since downloads use an AstractItemModel, we just need to update it, while saving the selected and expanded items. std::set expanded_hashes ; std::set selected_hashes ; DLListModel->update_transfers(); // Now show upload hashes. Here we use the "old" way, since the number of uploads is generally not so large. // /* disable for performance issues, enable after insert all transfers */ ui.uploadsList->setSortingEnabled(false); /* get the upload lists */ std::list upHashes; rsFiles->FileUploads(upHashes); /* build set for quick search */ std::set hashs; for(std::list::iterator it = upHashes.begin(); it != upHashes.end(); ++it) { hashs.insert(*it); } /* add uploads, first iterate all rows in list */ int rowCount = ULListModel->rowCount(); for (int row = 0; row < rowCount; ) { RsFileHash hash ( ULListModel->item(row, COLUMN_UHASH)->data(Qt::UserRole).toString().toStdString()); std::set::iterator hashIt = hashs.find(hash); if (hashIt == hashs.end()) { // remove not existing uploads ULListModel->removeRow(row); rowCount = ULListModel->rowCount(); continue; } FileInfo fileInfo; if (!rsFiles->FileDetails(hash, RS_FILE_HINTS_UPLOAD, fileInfo)) { ULListModel->removeRow(row); rowCount = ULListModel->rowCount(); continue; } hashs.erase(hashIt); if (addULItem(row, fileInfo) < 0) { ULListModel->removeRow(row); rowCount = ULListModel->rowCount(); continue; } ++row; } /* then add new uploads to the list */ for (std::set::iterator hashIt = hashs.begin() ; hashIt != hashs.end(); ++hashIt) { FileInfo fileInfo; if (!rsFiles->FileDetails(*hashIt, RS_FILE_HINTS_UPLOAD, fileInfo)) { continue; } addULItem(-1, fileInfo); } ui.uploadsList->setSortingEnabled(true); downloads = tr("Downloads") + " (" + QString::number(DLListModel->rowCount()) + ")"; uploads = tr("Uploads") + " (" + QString::number(ULListModel->rowCount()) + ")" ; ui.tabWidget->setTabText(0, downloads); ui.tabWidget_UL->setTabText(0, uploads); } QString TransfersDialog::getPeerName(const RsPeerId& id, QString &iconName, QString &tooltip) { QString res = QString::fromUtf8(rsPeers->getPeerName(id).c_str()) ; // csoler 2009-06-03: This is because turtle tunnels have no name (I didn't want to bother with // connect mgr). In such a case their id can suitably hold for a name. // if(res == "") { res = QString::fromUtf8(rsTurtle->getPeerNameForVirtualPeerId(id).c_str()); if(rsFiles->isEncryptedSource(id)) { iconName = IMAGE_TUNNEL_ANON_E2E; tooltip = tr("Anonymous end-to-end encrypted tunnel 0x")+QString::fromStdString(id.toStdString()).left(8); return tr("Tunnel") + " via " + res ; } iconName = IMAGE_TUNNEL_ANON; tooltip = tr("Anonymous tunnel 0x")+QString::fromStdString(id.toStdString()).left(8); return tr("Tunnel") + " via " + res ; } iconName = IMAGE_TUNNEL_FRIEND; tooltip = res; return res ; } void TransfersDialog::forceCheck() { if (!controlTransferFile(RS_FILE_CTRL_FORCE_CHECK)) std::cerr << "resumeFileTransfer(): can't force check file transfer" << std::endl; } void TransfersDialog::cancel() { bool first = true; std::set items; std::set::iterator it; getDLSelectedItems(&items, NULL); for (it = items.begin(); it != items.end(); ++it) { if (first) { first = false; QString queryWrn2; queryWrn2.clear(); queryWrn2.append(tr("Are you sure that you want to cancel and delete these files?")); if ((QMessageBox::question(this, tr("RetroShare"),queryWrn2,QMessageBox::Yes|QMessageBox::No, QMessageBox::Yes)) == QMessageBox::No) { break; } } rsFiles->FileCancel(*it); } } //void TransfersDialog::handleDownloadRequest(const QString& url) //{ // RetroShareLink link(url); // // if (!link.valid ()) // { // QMessageBox::critical(NULL,"Link error","This link could not be parsed. This is a bug. Please contact the developers.") ; // return; // } // // QVector linkList; // analyzer.getFileInformation (linkList); // // std::list srcIds; // // for (int i = 0, n = linkList.size (); i < n; ++i) // { // const RetroShareLinkData& linkData = linkList[i]; // // rsFiles->FileRequest (linkData.getName ().toStdString (), linkData.getHash ().toStdString (), // linkData.getSize ().toInt (), "", 0, srcIds); // } //} void TransfersDialog::dlCopyLink () { QList links ; std::set items; std::set::iterator it; getDLSelectedItems(&items, NULL); for (it = items.begin(); it != items.end(); ++it) { FileInfo info; if (!rsFiles->FileDetails(*it, RS_FILE_HINTS_DOWNLOAD, info)) { continue; } RetroShareLink link = RetroShareLink::createFile(QString::fromUtf8(info.fname.c_str()), info.size, QString::fromStdString(info.hash.toStdString())); if (link.valid()) { links.push_back(link) ; } } RSLinkClipboard::copyLinks(links) ; } void TransfersDialog::ulCopyLink () { QList links ; std::set items; std::set::iterator it; getULSelectedItems(&items, NULL); for (it = items.begin(); it != items.end(); ++it) { FileInfo info; if (!rsFiles->FileDetails(*it, RS_FILE_HINTS_UPLOAD, info)) { continue; } RetroShareLink link = RetroShareLink::createFile(QString::fromUtf8(info.fname.c_str()), info.size, QString::fromStdString(info.hash.toStdString())); if (link.valid()) { links.push_back(link) ; } } RSLinkClipboard::copyLinks(links) ; } DetailsDialog *TransfersDialog::detailsDialog() { static DetailsDialog *detailsdlg = new DetailsDialog ; return detailsdlg ; } void TransfersDialog::showDetailsDialog() { updateDetailsDialog (); detailsDialog()->show(); } void TransfersDialog::updateDetailsDialog() { std::set items; getDLSelectedItems(&items, NULL); if (!items.empty()) detailsDialog()->setFileHash(*items.begin()); } void TransfersDialog::pasteLink() { QList links ; // We want to capture and process all links at once here, because we're possibly pasting a large collection of files. So we first // merge all links into a single RsCollection and then process it. RsCollection col ; RSLinkClipboard::pasteLinks(links,RetroShareLink::TYPE_FILE_TREE); for(QList::const_iterator it(links.begin());it!=links.end();++it) { FileTree *ft = FileTree::create((*it).radix().toStdString()) ; col.merge_in(*ft) ; } links.clear(); RSLinkClipboard::pasteLinks(links,RetroShareLink::TYPE_FILE); for(QList::const_iterator it(links.begin());it!=links.end();++it) col.merge_in((*it).name(),(*it).size(),RsFileHash((*it).hash().toStdString())) ; col.downloadFiles(); } void TransfersDialog::getDLSelectedItems(std::set *ids, std::set *rows) { if (ids == NULL && rows == NULL) { return; } if (ids) ids->clear(); if (rows) rows->clear(); QModelIndexList selectedRows = selection->selectedRows(COLUMN_ID); int i, imax = selectedRows.count(); for (i = 0; i < imax; ++i) { QModelIndex index = selectedRows.at(i); if (index.parent().isValid()) index = index.model()->index(index.parent().row(), COLUMN_ID); if (ids) { ids->insert(RsFileHash(index.data(Qt::DisplayRole).toString().toStdString())); ids->insert(RsFileHash(index.data(Qt::UserRole ).toString().toStdString())); } if (rows) { rows->insert(index.row()); } } } void TransfersDialog::getULSelectedItems(std::set *ids, std::set *rows) { if (ids == NULL && rows == NULL) { return; } if (ids) ids->clear(); if (rows) rows->clear(); QModelIndexList indexes = selectionUp->selectedIndexes(); QModelIndex index; foreach(index, indexes) { if (ids) { QStandardItem *id = ULListModel->item(index.row(), COLUMN_UHASH); ids->insert(RsFileHash(id->data(Qt::DisplayRole).toString().toStdString())); } if (rows) { rows->insert(index.row()); } } } bool TransfersDialog::controlTransferFile(uint32_t flags) { bool result = true; std::set items; std::set::iterator it; getDLSelectedItems(&items, NULL); for (it = items.begin(); it != items.end(); ++it) { result &= rsFiles->FileControl(*it, flags); } return result; } void TransfersDialog::pauseFileTransfer() { if (!controlTransferFile(RS_FILE_CTRL_PAUSE)) { std::cerr << "pauseFileTransfer(): can't pause file transfer" << std::endl; } } void TransfersDialog::resumeFileTransfer() { if (!controlTransferFile(RS_FILE_CTRL_START)) { std::cerr << "resumeFileTransfer(): can't resume file transfer" << std::endl; } } void TransfersDialog::dlOpenFolder() { FileInfo info; std::set items; std::set::iterator it; getDLSelectedItems(&items, NULL); for (it = items.begin(); it != items.end(); ++it) { if (!rsFiles->FileDetails(*it, RS_FILE_HINTS_DOWNLOAD, info)) continue; break; } /* make path for downloaded or downloading files */ QFileInfo qinfo; std::string path; if (info.downloadStatus == FT_STATE_COMPLETE) { path = info.path; } else { path = rsFiles->getPartialsDirectory(); } /* open folder with a suitable application */ qinfo.setFile(QString::fromUtf8(path.c_str())); if (qinfo.exists() && qinfo.isDir()) { if (!RsUrlHandler::openUrl(QUrl::fromLocalFile(qinfo.absoluteFilePath()))) { std::cerr << "dlOpenFolder(): can't open folder " << path << std::endl; } } } void TransfersDialog::ulOpenFolder() { FileInfo info; std::set items; std::set::iterator it; getULSelectedItems(&items, NULL); for (it = items.begin(); it != items.end(); ++it) { if (!rsFiles->FileDetails(*it, RS_FILE_HINTS_UPLOAD, info)) continue; break; } /* make path for uploading files */ QFileInfo qinfo; std::string path; path = info.path.substr(0,info.path.length()-info.fname.length()); /* open folder with a suitable application */ qinfo.setFile(QString::fromUtf8(path.c_str())); if (qinfo.exists() && qinfo.isDir()) { if (!RsUrlHandler::openUrl(QUrl::fromLocalFile(qinfo.absoluteFilePath()))) { std::cerr << "ulOpenFolder(): can't open folder " << path << std::endl; } } } void TransfersDialog::dlPreviewFile() { FileInfo info; std::set items; std::set::iterator it; getDLSelectedItems(&items, NULL); for (it = items.begin(); it != items.end(); ++it) { if (!rsFiles->FileDetails(*it, RS_FILE_HINTS_DOWNLOAD, info)) continue; break; } QFileInfo fileNameInfo(QString::fromUtf8(info.fname.c_str())); /* check if the file is a media file */ if (!misc::isPreviewable(fileNameInfo.suffix())) return; /* make path for downloaded or downloading files */ QFileInfo fileInfo; if (info.downloadStatus == FT_STATE_COMPLETE) { fileInfo = QFileInfo(QString::fromUtf8(info.path.c_str()), QString::fromUtf8(info.fname.c_str())); } else { fileInfo = QFileInfo(QString::fromUtf8(rsFiles->getPartialsDirectory().c_str()), QString::fromUtf8(info.hash.toStdString().c_str())); QDir temp; #ifdef WINDOWS_SYS /* the symbolic link must be created on the same drive like the real file, use partial directory */ temp = fileInfo.absoluteDir(); #else temp = QDir::temp(); #endif QString linkName = QFileInfo(temp, fileNameInfo.fileName()).absoluteFilePath(); if (RsFile::CreateLink(fileInfo.absoluteFilePath(), linkName)) { fileInfo.setFile(linkName); } else { std::cerr << "previewTransfer(): can't create link for file " << fileInfo.absoluteFilePath().toStdString() << std::endl; QMessageBox::warning(this, tr("File preview"), tr("Can't create link for file %1.").arg(fileInfo.absoluteFilePath())); return; } } bool previewStarted = false; /* open or preview them with a suitable application */ if (fileInfo.exists() && RsUrlHandler::openUrl(QUrl::fromLocalFile(fileInfo.absoluteFilePath()))) { previewStarted = true; } else { QMessageBox::warning(this, tr("File preview"), tr("File %1 preview failed.").arg(fileInfo.absoluteFilePath())); std::cerr << "previewTransfer(): can't preview file " << fileInfo.absoluteFilePath().toStdString() << std::endl; } if (info.downloadStatus != FT_STATE_COMPLETE) { if (previewStarted) { /* wait for the file to open then remove the link */ QMessageBox::information(this, tr("File preview"), tr("Click OK when program terminates!")); } /* try to delete the preview file */ forever { if (QFile::remove(fileInfo.absoluteFilePath())) { /* preview file could be removed */ break; } /* ask user to try it again */ if (QMessageBox::question(this, tr("File preview"), QString("%1\n\n%2\n\n%3").arg(tr("Could not delete preview file"), fileInfo.absoluteFilePath(), tr("Try it again?")), QMessageBox::Yes, QMessageBox::No) == QMessageBox::No) { break; } } } } void TransfersDialog::dlOpenFile() { FileInfo info; std::set items ; std::set::iterator it ; getDLSelectedItems(&items, NULL); for (it = items.begin(); it != items.end(); ++it) { if (!rsFiles->FileDetails(*it, RS_FILE_HINTS_DOWNLOAD, info)) continue; break; } /* make path for downloaded or downloading files */ std::string path; if (info.downloadStatus == FT_STATE_COMPLETE) { path = info.path + "/" + info.fname; /* open file with a suitable application */ QFileInfo qinfo; qinfo.setFile(QString::fromUtf8(path.c_str())); if (qinfo.exists()) { if (!RsUrlHandler::openUrl(QUrl::fromLocalFile(qinfo.absoluteFilePath()))) { std::cerr << "openTransfer(): can't open file " << path << std::endl; } } } else { /* rise a message box for incompleted download file */ QMessageBox::information(this, tr("Open Transfer"), tr("File %1 is not completed. If it is a media file, try to preview it.").arg(QString::fromUtf8(info.fname.c_str()))); } } /* clear download or all queue - for pending dwls */ //void TransfersDialog::clearQueuedDwl() //{ // std::set items; // std::set::iterator it; // getSelectedItems(&items, NULL); // // for (it = items.begin(); it != items.end(); ++it) { // std::string hash = (*it)->data(Qt::DisplayRole).toString().toStdString(); // rsFiles->clearDownload(hash); // } //} //void TransfersDialog::clearQueue() //{ // rsFiles->clearQueue(); //} void TransfersDialog::chunkStreaming() { setChunkStrategy(FileChunksInfo::CHUNK_STRATEGY_STREAMING) ; } void TransfersDialog::chunkRandom() { setChunkStrategy(FileChunksInfo::CHUNK_STRATEGY_RANDOM) ; } void TransfersDialog::chunkProgressive() { setChunkStrategy(FileChunksInfo::CHUNK_STRATEGY_PROGRESSIVE) ; } void TransfersDialog::setChunkStrategy(FileChunksInfo::ChunkStrategy s) { std::set items; std::set::iterator it; getDLSelectedItems(&items, NULL); for (it = items.begin(); it != items.end(); ++it) { rsFiles->setChunkStrategy(*it, s); } } /* modify download priority actions */ void TransfersDialog::speedSlow() { changeSpeed(0); } void TransfersDialog::speedAverage() { changeSpeed(1); } void TransfersDialog::speedFast() { changeSpeed(2); } void TransfersDialog::priorityQueueUp() { changeQueuePosition(QUEUE_UP); } void TransfersDialog::priorityQueueDown() { changeQueuePosition(QUEUE_DOWN); } void TransfersDialog::priorityQueueTop() { changeQueuePosition(QUEUE_TOP); } void TransfersDialog::priorityQueueBottom() { changeQueuePosition(QUEUE_BOTTOM); } void TransfersDialog::changeSpeed(int speed) { std::set items; std::set::iterator it; getDLSelectedItems(&items, NULL); for (it = items.begin(); it != items.end(); ++it) { rsFiles->changeDownloadSpeed(*it, speed); } } static bool checkFileName(const QString& name) { if(name.contains('/')) return false ; if(name.contains('\\')) return false ; if(name.contains('|')) return false ; if(name.contains(':')) return false ; if(name.contains('?')) return false ; if(name.contains('>')) return false ; if(name.contains('<')) return false ; if(name.contains('*')) return false ; if(name.length() == 0) return false ; if(name.length() > 255) return false ; return true ; } void TransfersDialog::renameFile() { std::set items; getDLSelectedItems(&items, NULL); if(items.size() != 1) { std::cerr << "Can't rename more than one file. This should not be called." << std::endl; return ; } RsFileHash hash = *(items.begin()) ; FileInfo info ; if (!rsFiles->FileDetails(hash, RS_FILE_HINTS_DOWNLOAD, info)) return ; bool ok = true ; bool first = true ; QString new_name ; do { new_name = QInputDialog::getText(NULL,tr("Change file name"),first?tr("Please enter a new file name"):tr("Please enter a new--and valid--filename"),QLineEdit::Normal,QString::fromUtf8(info.fname.c_str()),&ok) ; if(!ok) return ; first = false ; } while(!checkFileName(new_name)) ; rsFiles->setDestinationName(hash, new_name.toUtf8().data()); } void TransfersDialog::changeQueuePosition(QueueMove mv) { // std::cerr << "In changeQueuePosition (gui)"<< std::endl ; std::set items; std::set::iterator it; getDLSelectedItems(&items, NULL); for (it = items.begin(); it != items.end(); ++it) { rsFiles->changeQueuePosition(*it, mv); } } void TransfersDialog::clearcompleted() { // std::cerr << "TransfersDialog::clearcompleted()" << std::endl; rsFiles->FileClearCompleted(); } void TransfersDialog::showFileDetails() { std::set items ; getDLSelectedItems(&items, NULL) ; if(items.size() != 1) detailsDialog()->setFileHash(RsFileHash()); else detailsDialog()->setFileHash(*items.begin()) ; updateDetailsDialog (); } double TransfersDialog::getProgress(int , QStandardItemModel *) { // return model->data(model->index(row, PROGRESS), Qt::DisplayRole).toDouble(); return 0.0 ; } double TransfersDialog::getSpeed(int row, QStandardItemModel *model) { return model->data(model->index(row, COLUMN_DLSPEED), Qt::DisplayRole).toDouble(); } QString TransfersDialog::getFileName(int row, QStandardItemModel *model) { return model->data(model->index(row, COLUMN_NAME), Qt::DisplayRole).toString(); } QString TransfersDialog::getStatus(int row, QStandardItemModel *model) { return model->data(model->index(row, COLUMN_STATUS), Qt::DisplayRole).toString(); } QString TransfersDialog::getID(int row, QStandardItemModel *model) { return model->data(model->index(row, COLUMN_ID), Qt::UserRole).toString().left(40); // gets only the "hash" part of the name } QString TransfersDialog::getID(int row, QSortFilterProxyModel *filter) { QModelIndex index = filter->mapToSource(filter->index(row, COLUMN_ID)); return filter->sourceModel()->data(index, Qt::UserRole).toString().left(40); // gets only the "hash" part of the name } QString TransfersDialog::getPriority(int row, QStandardItemModel *model) { return model->data(model->index(row, COLUMN_PRIORITY), Qt::DisplayRole).toString(); } qlonglong TransfersDialog::getFileSize(int row, QStandardItemModel *model) { bool ok = false; return model->data(model->index(row, COLUMN_SIZE), Qt::DisplayRole).toULongLong(&ok); } qlonglong TransfersDialog::getTransfered(int row, QStandardItemModel *model) { bool ok = false; return model->data(model->index(row, COLUMN_COMPLETED), Qt::DisplayRole).toULongLong(&ok); } qlonglong TransfersDialog::getRemainingTime(int row, QStandardItemModel *model) { bool ok = false; return model->data(model->index(row, COLUMN_REMAINING), Qt::DisplayRole).toULongLong(&ok); } qlonglong TransfersDialog::getDownloadTime(int row, QStandardItemModel *model) { return model->data(model->index(row, COLUMN_DOWNLOADTIME), Qt::DisplayRole).toULongLong(); } qlonglong TransfersDialog::getLastDL(int row, QStandardItemModel *model) { return model->data(model->index(row, COLUMN_LASTDL), Qt::DisplayRole).toULongLong(); } qlonglong TransfersDialog::getPath(int row, QStandardItemModel *model) { return model->data(model->index(row, COLUMN_PATH), Qt::DisplayRole).toULongLong(); } QString TransfersDialog::getSources(int row, QStandardItemModel *model) { double dblValue = model->data(model->index(row, COLUMN_SOURCES), Qt::DisplayRole).toDouble(); QString temp = QString("%1 (%2)").arg((int)dblValue).arg((int)((fmod(dblValue,1)*1000)+0.5)); return temp; } void TransfersDialog::collCreate() { std::vector dirVec; std::set items ; std::set::iterator it ; getDLSelectedItems(&items, NULL); for (it = items.begin(); it != items.end(); ++it) { FileInfo info; if (!rsFiles->FileDetails(*it, RS_FILE_HINTS_DOWNLOAD, info)) continue; DirDetails details; details.name = info.fname; details.hash = info.hash; details.count = info.size; details.type = DIR_TYPE_FILE; dirVec.push_back(details); } RsCollection(dirVec,RS_FILE_HINTS_LOCAL).openNewColl(this); } void TransfersDialog::collModif() { FileInfo info; std::set items ; std::set::iterator it ; getDLSelectedItems(&items, NULL); if (items.size() != 1) return; it = items.begin(); RsFileHash hash = *it; if (!rsFiles->FileDetails(hash, RS_FILE_HINTS_DOWNLOAD, info)) return; /* make path for downloaded files */ if (info.downloadStatus == FT_STATE_COMPLETE) { std::string path; path = info.path + "/" + info.fname; /* open collection */ QFileInfo qinfo; qinfo.setFile(QString::fromUtf8(path.c_str())); if (qinfo.exists()) { if (qinfo.absoluteFilePath().endsWith(RsCollection::ExtensionString)) { RsCollection collection; collection.openColl(qinfo.absoluteFilePath()); } } } } void TransfersDialog::collView() { FileInfo info; std::set items; std::set::iterator it; getDLSelectedItems(&items, NULL); if (items.size() != 1) return; it = items.begin(); RsFileHash hash = *it; if (!rsFiles->FileDetails(hash, RS_FILE_HINTS_DOWNLOAD, info)) return; /* make path for downloaded files */ if (info.downloadStatus == FT_STATE_COMPLETE) { std::string path; path = info.path + "/" + info.fname; /* open collection */ QFileInfo qinfo; qinfo.setFile(QString::fromUtf8(path.c_str())); if (qinfo.exists()) { if (qinfo.absoluteFilePath().endsWith(RsCollection::ExtensionString)) { RsCollection collection; collection.openColl(qinfo.absoluteFilePath(), true); } } } } void TransfersDialog::collOpen() { FileInfo info; std::set items; std::set::iterator it; getDLSelectedItems(&items, NULL); if (items.size() == 1) { it = items.begin(); RsFileHash hash = *it; if (rsFiles->FileDetails(hash, RS_FILE_HINTS_DOWNLOAD, info)) { /* make path for downloaded files */ if (info.downloadStatus == FT_STATE_COMPLETE) { std::string path; path = info.path + "/" + info.fname; /* open file with a suitable application */ QFileInfo qinfo; qinfo.setFile(QString::fromUtf8(path.c_str())); if (qinfo.exists()) { if (qinfo.absoluteFilePath().endsWith(RsCollection::ExtensionString)) { RsCollection collection; if (collection.load(qinfo.absoluteFilePath())) { collection.downloadFiles(); return; } } } } } } RsCollection collection; if (collection.load(this)) { collection.downloadFiles(); } } void TransfersDialog::setShowDLSizeColumn (bool show) { ui.downloadList->setColumnHidden(COLUMN_SIZE, !show); } void TransfersDialog::setShowDLCompleteColumn (bool show) { ui.downloadList->setColumnHidden(COLUMN_COMPLETED, !show); } void TransfersDialog::setShowDLDLSpeedColumn (bool show) { ui.downloadList->setColumnHidden(COLUMN_DLSPEED, !show); } void TransfersDialog::setShowDLProgressColumn (bool show) { ui.downloadList->setColumnHidden(COLUMN_PROGRESS, !show); } void TransfersDialog::setShowDLSourcesColumn (bool show) { ui.downloadList->setColumnHidden(COLUMN_SOURCES, !show); } void TransfersDialog::setShowDLStatusColumn (bool show) { ui.downloadList->setColumnHidden(COLUMN_STATUS, !show); } void TransfersDialog::setShowDLPriorityColumn (bool show) { ui.downloadList->setColumnHidden(COLUMN_PRIORITY, !show); } void TransfersDialog::setShowDLRemainingColumn (bool show) { ui.downloadList->setColumnHidden(COLUMN_REMAINING, !show); } void TransfersDialog::setShowDLDownloadTimeColumn(bool show) { ui.downloadList->setColumnHidden(COLUMN_DOWNLOADTIME, !show); } void TransfersDialog::setShowDLIDColumn (bool show) { ui.downloadList->setColumnHidden(COLUMN_ID, !show); } void TransfersDialog::setShowDLLastDLColumn (bool show) { ui.downloadList->setColumnHidden(COLUMN_LASTDL, !show); } void TransfersDialog::setShowDLPath (bool show) { ui.downloadList->setColumnHidden(COLUMN_PATH, !show); } void TransfersDialog::expandAllDL() { ui.downloadList->expandAll(); } void TransfersDialog::collapseAllDL() { ui.downloadList->collapseAll(); } void TransfersDialog::expandAllUL() { ui.uploadsList->expandAll(); } void TransfersDialog::collapseAllUL() { ui.uploadsList->collapseAll(); } void TransfersDialog::filterChanged(const QString& /*text*/) { int filterColumn = ui.filterLineEdit->currentFilter(); QString text = ui.filterLineEdit->text(); DLLFilterModel->setFilterKeyColumn(filterColumn); DLLFilterModel->setFilterRegExp(text); }