libzypp 17.38.5
commitpackagepreloader.cc
Go to the documentation of this file.
5#include <zypp/media/MediaCurl2.h> // for shared logic like authenticate
6#include <zypp/media/MediaHandlerFactory.h> // to detect the URL type
15#include <zypp/MediaSetAccess.h>
16#include <zypp/Package.h>
17#include <zypp/SrcPackage.h>
18#include <zypp/ZConfig.h>
19#include <zypp-core/base/Env.h>
20
21namespace zypp {
22
23 namespace {
24
25 inline bool preloadEnabled()
26 {
27 TriBool envstate = env::getenvBool( "ZYPP_PCK_PRELOAD" );
28 if ( indeterminate(envstate) ) {
29#if APIConfig(LIBZYPP_CONFIG_USE_SERIAL_PACKAGE_DOWNLOAD_BY_DEFAULT)
30 return false;
31#else
32 return true;
33#endif
34 }
35 return bool(envstate);
36 }
37
38 zypp::Pathname pckCachedLocation ( const PoolItem &pck ) {
39 if ( pck.isKind<Package>() ) {
40 return pck->asKind<Package>()->cachedLocation();
41 } else if ( pck.isKind<SrcPackage>() ) {
42 return pck->asKind<SrcPackage>()->cachedLocation();
43 }
44 return {};
45 }
46
47 }
48
53
55 public:
56 enum State {
59 //ZckHead,
60 //ZckData,
62 };
63
65
66 bool finished ( ) const {
67 return (_s == Finished);
68 }
69
70 void nextJob () {
71
72 // clean state vars
73 _started = false;
74 _firstAuth = true;
76 _tmpFile.reset();
78 _taintedMirrors.clear();
79
80 if ( _parent._requiredDls.empty() ) {
81
82 if ( _myMirror ) {
83 _myMirror->refs--;
84 _myMirror = nullptr;
86 }
87
88 MIL << "No more jobs pending, exiting worker" << std::endl;
89 // exit!
90 _s = Finished;
91 _sigFinished.emit();
92 return;
93 }
94
95 _job = _parent._requiredDls.front();
96 _parent._requiredDls.pop_front();
97
98 auto loc = _job.lookupLocation();
99 const auto repoInfo = _job.repoInfo();
100
101 _targetPath = repoInfo.predownloadPath() / repo::RepoMediaAccess::mapToCachePath( repoInfo, loc );
102
103 // select a mirror we want to use
104 if ( !prepareMirror( ) ) {
105 finishCurrentJob ( _targetPath, {}, media::CommitPreloadReport::ERROR, asString( _("no mirror found") ), true );
106 return nextJob();
107 }
108
109 if ( filesystem::assert_dir( _targetPath.dirname()) != 0 ) {
110 ERR << "Failed to create target dir for file: " << _targetPath << std::endl;
111 finishCurrentJob ( _targetPath, {}, media::CommitPreloadReport::ERROR, asString( _("could not create target file") ), true );
112 return nextJob();
113 }
114
115
118
119 try {
120 makeJobUrl ( url, settings );
121 } catch ( const zypp::Exception &e ) {
122 ERR << "Failed to create job URL for file: " << _targetPath << " ("<<e<<")" << std::endl;
123 finishCurrentJob ( _targetPath, {}, media::CommitPreloadReport::ERROR, zypp::str::Format(_("Error: Failed to initialize transfer settings (%1%).")) % e.asUserString(), true );
124 return nextJob();
125 }
126
127 // check if the file is there already
128 {
129 PathInfo pathInfo(_targetPath);
130 if ( pathInfo.isExist() ) {
131 // just in case there is something else that is not a file we delete it
132 if ( !pathInfo.isFile() ) {
133 if ( pathInfo.isDir () )
135 else
137
138 } else if ( is_checksum( _targetPath, loc.checksum() ) ) {
139 // if we have the file already, no need to download again
141 return nextJob();
142
143 } else {
144 // everything else we delete
146 }
147 }
148 }
149
150 // we download into a temp file so that we don't leave broken files in case of errors or a crash
152
153 if ( _s == Pending ) {
154 // init case, set up request
155 _req = std::make_shared<zyppng::NetworkRequest>( url, _tmpFile );
159 } else {
160 _req->resetRequestRanges();
161 _req->setUrl( url );
162 _req->setTargetFilePath( _tmpFile );
163 }
164
165 // TODO check for zchunk
166
167 _s = SimpleDl;
168 _req->transferSettings() = settings;
169 _parent._dispatcher->enqueue(_req);
170 }
171
175
176 private:
177
178 // TODO some smarter logic that selects mirrors
180
181 const auto &pi = _job;
182
183 if ( _myMirror ) {
184 if ( _currentRepoId == pi.repository().id() ) {
185 return true;
186 }
188 _myMirror->refs--;
189 _myMirror = nullptr;
190 }
191
193 if ( !_myMirror )
194 return false;
195
196 _currentRepoId = pi.repository().id();
197 _myMirror->refs++;
198 return true;
199 }
200
205
206 if ( _myMirror ) {
207 _myMirror->miss++;
208 _taintedMirrors.insert( _myMirror );
209 }
210
211 // try to find another mirror
212 auto mirrPtr = findUsableMirror ( _myMirror, false );
213 if ( mirrPtr ) {
214 if ( _myMirror ) {
215 _myMirror->refs--;
216 }
217 _myMirror = mirrPtr;
218 _myMirror->refs++;
219 return true;
220 }
221 return false;
222 }
223
227 RepoUrl *findUsableMirror( RepoUrl *skip = nullptr, bool allowTainted = true ) {
228 auto &repoDlInfo = _parent._dlRepoInfo.at( _job.repository().id() );
229
230 std::vector<RepoUrl>::iterator curr = repoDlInfo._baseUrls.end();
231 int currentSmallestRef = INT_MAX;
232
233 for ( auto i = repoDlInfo._baseUrls.begin(); i != repoDlInfo._baseUrls.end(); i++ ) {
234 auto mirrorPtr = &(*i);
235
236 if ( skip == mirrorPtr )
237 continue;
238
239 if ( !allowTainted && _taintedMirrors.find(mirrorPtr) != _taintedMirrors.end() )
240 continue;
241
242 // we are adding the file misses on top of the refcount
243 // that way we will use mirrors that often miss a file less
244 if ( ( i->refs + i->miss ) < currentSmallestRef ) {
245 currentSmallestRef = ( i->refs + i->miss );
246 curr = i;
247 }
248 }
249
250 if ( curr == repoDlInfo._baseUrls.end() )
251 return nullptr;
252 return &(*curr);
253 }
254
256 MIL << "Request for " << req.url() << " started" << std::endl;
257 }
258
260 if ( !_started ) {
261 _started = true;
262
263 callback::UserData userData( "CommitPreloadReport/fileStart" );
264 userData.set( "Url", _req->url() );
265 _parent._report->fileStart( _targetPath, userData );
266 }
267
268 ByteCount downloaded;
269 if ( _lastByteCount == 0 )
270 downloaded = count;
271 else
272 downloaded = count - _lastByteCount;
273 _lastByteCount = count;
274
275 _parent.reportBytesDownloaded( downloaded );
276 }
277
279 MIL << "Request for " << req.url() << " finished. (" << err.toString() << ")" << std::endl;
280 if ( !req.hasError() ) {
281 // apply umask and move the _tmpFile into _targetPath
283 _tmpFile.resetDispose(); // rename consumed the file, no need to unlink.
285 } else {
286 // error
287 finishCurrentJob ( _targetPath, req.url(), media::CommitPreloadReport::ERROR, _("failed to rename temporary file."), true );
288 }
289 } else {
290 // handle errors and auth
291 const auto &error = req.error();
292 switch ( error.type() ) {
309 ERR << "Download from mirror failed for file " << req.url () << " trying to taint mirror and move on" << std::endl;
310
311 std::string lastError = req.extendedErrorString();
312 while ( taintCurrentMirror() ) {
314
315 const auto str = zypp::str::Format(_("Error: \"%1%\", trying next mirror.")) % lastError;
317
318 try {
321 makeJobUrl ( url, settings );
322
323 MIL << "Found new mirror: " << url << " recovering, retry count: " << _notFoundRetry << std::endl;
324
325 _req->setUrl( url );
326 _req->transferSettings () = settings;
327
328 _parent._dispatcher->enqueue( _req );
329 return;
330
331 } catch ( const zypp::Exception &e ) {
332 ERR << "Failed to setup mirror: ( " << e << " ), trying next!" << std::endl;
333 lastError = e.asUserString();
334 continue;
335 }
336 break;
337 }
338
339 ERR << "No mirror found, giving up on file: " << req.url() << std::endl;
341 break;
342 }
345
346 //in case we got a auth hint from the server the error object will contain it
347 std::string authHint = error.extraInfoValue("authHint", std::string());
348
350 bool newCreds = media::MediaNetworkCommonHandler::authenticate( _myMirror->baseUrl, cm, req.transferSettings(), authHint, _firstAuth );
351 if ( newCreds) {
352 _firstAuth = false;
353 _parent._dispatcher->enqueue( _req );
354 return;
355 }
356
358 break;
359
362 break;
363 }
365 // should never happen
366 DBG << "BUG: Download error flag is set , but Error code is NoError" << std::endl;
367 break;
368 }
369 }
370 nextJob();
371 }
372
373 void finishCurrentJob( const zypp::Pathname &localPath, const std::optional<zypp::Url> &url, media::CommitPreloadReport::Error e, const std::optional<std::string> &errorMessage, bool fatal ) {
374
375 callback::UserData userData( "CommitPreloadReport/fileDone" );
376 if ( url )
377 userData.set( "Url", *url );
378 if ( errorMessage )
379 userData.set( "description", *errorMessage );
380
381 if ( e != media::CommitPreloadReport::NO_ERROR && fatal )
382 _parent._missedDownloads = true;
383
384 _parent._report->fileDone( localPath, e, userData );
385 }
386
387 void makeJobUrl ( zypp::Url &resultUrl, media::TransferSettings &resultSet ) {
388
389 // rewrite Url
390 zypp::Url url = _myMirror->baseUrl;
391
394
395 const auto &loc = _job.lookupLocation();
396
397 // rewrite URL for media handle
398 if ( loc.medianr() > 1 )
399 url = MediaSetAccess::rewriteUrl( url ,loc.medianr() );
400
401 // append path to file
402 url.appendPathName( loc.filename() );
403
404 // add extra headers
405 for ( const auto & el : _myMirror->headers ) {
406 std::string header { el.first };
407 header += ": ";
408 header += el.second;
409 MIL << "Added custom header -> " << header << std::endl;
410 settings.addHeader( std::move(header) );
411 }
412
413 resultUrl = url;
414 resultSet = settings;
415 }
416
417 private:
420 zyppng::NetworkRequestRef _req;
421
425 bool _started = false;
426 bool _firstAuth = true;
427 RepoUrl *_myMirror = nullptr;
430
431 // retry handling
433 std::set<RepoUrl *> _taintedMirrors; //< mirrors that returned 404 for the current request
434
436
437 };
438
441
442 void CommitPackagePreloader::preloadTransaction( const std::vector<sat::Transaction::Step> &steps)
443 {
444 if ( !preloadEnabled() ) {
445 MIL << "CommitPackagePreloader disabled" << std::endl;
446 return;
447 }
448
449 // preload happens only if someone handles the report
450 if ( !_report->connected() ) {
451 MIL << "No receiver for the CommitPreloadReport, skipping preload phase" << std::endl;
452 return;
453 }
454
455 auto ev = zyppng::EventLoop::create();
456 _dispatcher = std::make_shared<zyppng::NetworkRequestDispatcher>();
457 _dispatcher->setMaximumConcurrentConnections( MediaConfig::instance().download_max_concurrent_connections() );
459 _dispatcher->setHostSpecificHeader ("download.opensuse.org", "X-ZYpp-DistributionFlavor", str::asString(media::MediaCurl2::distributionFlavorHeader()) );
460 _dispatcher->setHostSpecificHeader ("download.opensuse.org", "X-ZYpp-AnonymousId", str::asString(media::MediaCurl2::anonymousIdHeader()) );
461 _dispatcher->setHostSpecificHeader ("cdn.opensuse.org", "X-ZYpp-DistributionFlavor", str::asString(media::MediaCurl2::distributionFlavorHeader()) );
462 _dispatcher->setHostSpecificHeader ("cdn.opensuse.org", "X-ZYpp-AnonymousId", str::asString(media::MediaCurl2::anonymousIdHeader()) );
463 _dispatcher->run();
464
465 _pTracker = std::make_shared<internal::ProgressTracker>();
466 _requiredBytes = 0;
468 _missedDownloads = false;
469 _lastProgressUpdate.reset();
470
471 zypp_defer {
472 _dispatcher.reset();
473 _pTracker.reset();
474 };
475
476 for ( const auto &step : steps ) {
477 switch ( step.stepType() )
478 {
481 // proceed: only install actions may require download.
482 break;
483
484 default:
485 // next: no download for non-packages and delete actions.
486 continue;
487 break;
488 }
489
490 PoolItem pi(step.satSolvable());
491
492 if ( !pi->isKind<Package>() && !pi->isKind<SrcPackage>() )
493 continue;
494
495 // no checksum ,no predownload, Fetcher would ignore it
496 if ( pi->lookupLocation().checksum().empty() )
497 continue;
498
499 // check if Package is cached already
500 if( !pckCachedLocation(pi).empty() )
501 continue;
502
503 auto repoDlsIter = _dlRepoInfo.find( pi.repository().id() );
504 if ( repoDlsIter == _dlRepoInfo.end() ) {
505
506 // make sure download path for this repo exists
507 if ( filesystem::assert_dir( pi.repoInfo().predownloadPath() ) != 0 ) {
508 ERR << "Failed to create predownload cache for repo " << pi.repoInfo().alias() << std::endl;
509 return;
510 }
511
512 // filter base URLs that do not download
513 std::vector<RepoUrl> repoUrls;
514 const auto origins = pi.repoInfo().repoOrigins();
515 for ( const auto &origin: origins ) {
516 std::for_each( origin.begin(), origin.end(), [&]( const zypp::OriginEndpoint &u ) {
517 media::UrlResolverPlugin::HeaderList custom_headers;
518 Url url = media::UrlResolverPlugin::resolveUrl(u.url(), custom_headers);
519
520 if ( media::MediaHandlerFactory::handlerType(url) != media::MediaHandlerFactory::MediaCURLType )
521 return;
522
523 // use geo IP if available
524 {
525 const auto rewriteUrl = media::MediaNetworkCommonHandler::findGeoIPRedirect( url );
526 if ( rewriteUrl.isValid () )
527 url = rewriteUrl;
528 }
529
530 if ( !pi.repoInfo().path().emptyOrRoot() )
531 url.appendPathName( pi.repoInfo().path() );
532
533 MIL << "Adding Url: " << url << " to the mirror set" << std::endl;
534
535 repoUrls.push_back( RepoUrl {
536 .baseUrl = std::move(url),
537 .headers = std::move(custom_headers)
538 } );
539 });
540 }
541
542 // skip this solvable if it has no downloading base URLs
543 if( repoUrls.empty() ) {
544 MIL << "Skipping predownload for " << step.satSolvable() << " no downloading URL" << std::endl;
545 continue;
546 }
547
548 // TODO here we could block to fetch mirror informations, either if the RepoInfo has a metalink or mirrorlist entry
549 // or if the hostname of the repo is d.o.o
550 if ( repoUrls.begin()->baseUrl.getHost() == "download.opensuse.org" ){
551 //auto req = std::make_shared<zyppng::NetworkRequest>( );
552 }
553
554 _dlRepoInfo.insert( std::make_pair(
555 pi.repository().id(),
557 ._baseUrls = std::move(repoUrls)
558 }
559 ));
560 }
561
562
563 _requiredBytes += pi.lookupLocation().downloadSize();
564 _requiredDls.push_back( pi );
565 }
566
567 if ( _requiredDls.empty() )
568 return;
569
570 // order by repo
571 std::sort( _requiredDls.begin(), _requiredDls.end(), []( const PoolItem &a , const PoolItem &b ) { return a.repository() < b.repository(); });
572
573 const auto &workerDone = [&, this](){
574 if ( std::all_of( _workers.begin(), _workers.end(), []( const auto &w ) { return w->finished();} ) )
575 ev->quit();
576 };
577
578 _report->start();
579 zypp_defer {
580 _report->finish( _missedDownloads ? media::CommitPreloadReport::MISS : media::CommitPreloadReport::SUCCESS );
581 };
582
583 MIL << "Downloading packages via " << MediaConfig::instance().download_max_concurrent_connections() << " connections." << std::endl;
584
585 // we start a worker for each configured connection
586 for ( int i = 0; i < MediaConfig::instance().download_max_concurrent_connections() ; i++ ) {
587 // if we run out of jobs before we started all workers, stop
588 if (_requiredDls.empty())
589 break;
590 auto worker = std::make_shared<PreloadWorker>(*this);
591 worker->sigWorkerFinished().connect(workerDone);
592 worker->nextJob();
593 _workers.push_back( std::move(worker) );
594 }
595
596 if( std::any_of( _workers.begin(), _workers.end(), []( const auto &w ) { return !w->finished(); } ) ) {
597 MIL << "Running preload event loop!" << std::endl;
598 ev->run();
599 }
600
601 MIL << "Preloading done, mirror stats: " << std::endl;
602 for ( const auto &elem : _dlRepoInfo ) {
603 std::for_each ( elem.second._baseUrls.begin (), elem.second._baseUrls.end(), []( const RepoUrl &repoUrl ){
604 MIL << "url: " << repoUrl.baseUrl << " misses: " << repoUrl.miss << std::endl;
605 });
606 }
607 MIL << "Preloading done, mirror stats end" << std::endl;
608 }
609
611 {
612 if ( !preloadEnabled() ) {
613 MIL << "CommitPackagePreloader disabled" << std::endl;
614 return;
615 }
616 std::for_each( _dlRepoInfo.begin (), _dlRepoInfo.end(), []( const auto &elem ){
617 filesystem::clean_dir ( Repository(elem.first).info().predownloadPath() );
618 });
619 }
620
622 {
623 return _missedDownloads;
624 }
625
627 {
628 // throttle progress updates to one time per second
629 const auto now = clock::now();
630 bool canUpdate = false;
631 if ( _lastProgressUpdate ) {
632 const auto duration = std::chrono::duration_cast<std::chrono::milliseconds>(now - *_lastProgressUpdate);
633 canUpdate = (duration >= std::chrono::milliseconds(500));
634 } else {
635 canUpdate = true;
636 }
637
638 _downloadedBytes += newBytes;
640
641 // update progress one time per second
642 if( canUpdate ) {
644 callback::UserData userData( "CommitPreloadReport/progress" );
645 userData.set( "dbps_avg" , static_cast<double>( _pTracker->_drateTotal ) );
646 userData.set( "dbps_current", static_cast<double>( _pTracker->_drateLast ) );
647 userData.set( "bytesReceived", static_cast<double>( _pTracker->_dnlNow ) );
648 userData.set( "bytesRequired", static_cast<double>( _pTracker->_dnlTotal ) );
649 if ( !_report->progress( _pTracker->_dnlPercent, userData ) ) {
650 _missedDownloads = true;
651 _requiredDls.clear();
652 _dispatcher->cancelAll( _("Cancelled by user."));
653 }
654 }
655 }
656
657}
#define zypp_defer
#define _(MSG)
Definition Gettext.h:39
#define DBG
Definition Logger.h:99
#define MIL
Definition Logger.h:100
#define ERR
Definition Logger.h:102
Store and operate with byte count.
Definition ByteCount.h:32
void onRequestProgress(zyppng::NetworkRequest &req, zypp::ByteCount count)
RepoUrl * findUsableMirror(RepoUrl *skip=nullptr, bool allowTainted=true)
Tries to find a usable mirror.
void makeJobUrl(zypp::Url &resultUrl, media::TransferSettings &resultSet)
void onRequestStarted(zyppng::NetworkRequest &req)
bool taintCurrentMirror()
Taints the current mirror, returns true if a alternative was found.
void onRequestFinished(zyppng::NetworkRequest &req, const zyppng::NetworkRequestError &err)
void finishCurrentJob(const zypp::Pathname &localPath, const std::optional< zypp::Url > &url, media::CommitPreloadReport::Error e, const std::optional< std::string > &errorMessage, bool fatal)
callback::SendReport< media::CommitPreloadReport > _report
std::optional< clock::time_point > _lastProgressUpdate
zyppng::Ref< internal::ProgressTracker > _pTracker
std::map< Repository::IdType, RepoDownloadData > _dlRepoInfo
void reportBytesDownloaded(ByteCount newBytes)
void preloadTransaction(const std::vector< sat::Transaction::Step > &steps)
zyppng::NetworkRequestDispatcherRef _dispatcher
Base class for Exception.
Definition Exception.h:153
std::string asUserString() const
Translated error message as string suitable for the user.
Definition Exception.cc:131
long download_max_concurrent_connections() const
static MediaConfig & instance()
static Url rewriteUrl(const Url &url_r, const media::MediaNr medianr)
Replaces media number in specified url with given medianr.
Represents a single, configurable network endpoint, combining a URL with specific access settings.
Package interface.
Definition Package.h:34
Combining sat::Solvable and ResStatus.
Definition PoolItem.h:51
Pathname predownloadPath() const
Path where this repo packages are predownloaded.
Definition RepoInfo.cc:759
MirroredOriginSet repoOrigins() const
The repodata origins.
Definition RepoInfo.cc:733
Pathname path() const
Repository path.
Definition RepoInfo.cc:822
IdType id() const
Expert backdoor.
Definition Repository.h:321
sat::detail::RepoIdType IdType
Definition Repository.h:44
SrcPackage interface.
Definition SrcPackage.h:30
Url manipulation class.
Definition Url.h:93
static ZConfig & instance()
Singleton ctor.
Definition ZConfig.cc:971
Typesafe passing of user data via callbacks.
Definition UserData.h:40
bool set(const std::string &key_r, AnyType val_r)
Set the value for key (nonconst version always returns true).
Definition UserData.h:119
Wrapper class for stat/lstat.
Definition PathInfo.h:226
bool isExist() const
Return whether valid stat info exists.
Definition PathInfo.h:286
bool emptyOrRoot() const
Test for "" or "/".
Definition Pathname.h:127
static ManagedFile asManagedFile()
Create a temporary file and convert it to a automatically cleaned up ManagedFile.
Definition TmpPath.cc:200
bool authenticate(const Url &url, TransferSettings &settings, const std::string &availAuthTypes, bool firstTry)
Holds transfer setting.
void addHeader(std::string &&val_r)
add a header, on the form "Foo: Bar" (trims)
std::multimap< std::string, std::string > HeaderList
std::string alias() const
unique identifier for this source.
static Pathname mapToCachePath(const RepoInfo &repo_r, const OnMediaLocation &resource_r)
Map a resource filename to a local path below a repositories cache.
@ TRANSACTION_MULTIINSTALL
[M] Install(multiversion) item (
Definition Transaction.h:67
@ TRANSACTION_INSTALL
[+] Install(update) item
Definition Transaction.h:66
WeakPtr parent() const
Definition base.cc:26
static Ptr create()
The NetworkRequestError class Represents a error that occured in.
std::string toString() const
toString Returns a string representation of the error
bool hasError() const
Checks if there was a error with the request.
Definition request.cc:1035
SignalProxy< void(NetworkRequest &req, const NetworkRequestError &err)> sigFinished()
Signals that the download finished.
Definition request.cc:1079
SignalProxy< void(NetworkRequest &req, zypp::ByteCount count)> sigBytesDownloaded()
Signals that new data has been downloaded, this is only the payload and does not include control data...
Definition request.cc:1069
std::string extendedErrorString() const
In some cases, curl can provide extended error information collected at runtime.
Definition request.cc:1027
NetworkRequestError error() const
Returns the last set Error.
Definition request.cc:1019
SignalProxy< void(NetworkRequest &req)> sigStarted()
Signals that the dispatcher dequeued the request and actually starts downloading data.
Definition request.cc:1064
TransferSettings & transferSettings()
Definition request.cc:995
boost::logic::tribool TriBool
3-state boolean logic (true, false and indeterminate).
Definition String.h:31
unsigned short a
unsigned short b
void prepareSettingsAndUrl(zypp::Url &url_r, zypp::media::TransferSettings &s)
String related utilities and Regular expression matching.
TriBool getenvBool(const C_Str &var_r)
If the environment variable var_r is set to a legal true or false string return bool,...
Definition Env.h:32
int rmdir(const Pathname &path)
Like 'rmdir'.
Definition PathInfo.cc:385
int unlink(const Pathname &path)
Like 'unlink'.
Definition PathInfo.cc:719
int assert_dir(const Pathname &path, unsigned mode)
Like 'mkdir -p'.
Definition PathInfo.cc:338
int rename(const Pathname &oldpath, const Pathname &newpath)
Like 'rename'.
Definition PathInfo.cc:761
int chmodApplyUmask(const Pathname &path, mode_t mode)
Similar to 'chmod', but mode is modified by the process's umask in the usual way.
Definition PathInfo.cc:1120
static const RepoIdType noRepoId(0)
Id to denote Repo::noRepository.
const std::string & asString(const std::string &t)
Global asString() that works with std::string too.
Definition String.h:140
Url details namespace.
Definition UrlBase.cc:58
Easy-to use interface to the ZYPP dependency resolver.
AutoDispose< const Pathname > ManagedFile
A Pathname plus associated cleanup code to be executed when path is no longer needed.
Definition ManagedFile.h:27
std::string asString(const Patch::Category &obj)
Definition Patch.cc:122
Pathname cachedLocation(const OnMediaLocation &loc_r, const RepoInfo &repo_r)
Definition Package.cc:100
media::UrlResolverPlugin::HeaderList headers
RepoInfo repoInfo() const
Repository repository() const
Convenient building of std::string with boost::format.
Definition String.h:254