libzypp  17.24.1
TargetImpl.cc
Go to the documentation of this file.
1 /*---------------------------------------------------------------------\
2 | ____ _ __ __ ___ |
3 | |__ / \ / / . \ . \ |
4 | / / \ V /| _/ _/ |
5 | / /__ | | | | | | |
6 | /_____||_| |_| |_| |
7 | |
8 \---------------------------------------------------------------------*/
12 #include <iostream>
13 #include <fstream>
14 #include <sstream>
15 #include <string>
16 #include <list>
17 #include <set>
18 
19 #include <sys/types.h>
20 #include <dirent.h>
21 
22 #include <zypp/base/LogTools.h>
23 #include <zypp/base/Exception.h>
24 #include <zypp/base/Iterator.h>
25 #include <zypp/base/Gettext.h>
26 #include <zypp/base/IOStream.h>
27 #include <zypp/base/Functional.h>
29 #include <zypp/base/Json.h>
30 
31 #include <zypp/ZConfig.h>
32 #include <zypp/ZYppFactory.h>
33 #include <zypp/PathInfo.h>
34 
35 #include <zypp/PoolItem.h>
36 #include <zypp/ResObjects.h>
37 #include <zypp/Url.h>
38 #include <zypp/TmpPath.h>
39 #include <zypp/RepoStatus.h>
40 #include <zypp/ExternalProgram.h>
41 #include <zypp/Repository.h>
42 #include <zypp/ShutdownLock_p.h>
43 
44 #include <zypp/ResFilters.h>
45 #include <zypp/HistoryLog.h>
46 #include <zypp/target/TargetImpl.h>
51 
54 
55 #include <zypp/sat/Pool.h>
57 #include <zypp/sat/SolvableSpec.h>
58 #include <zypp/sat/Transaction.h>
59 
60 #include <zypp/PluginExecutor.h>
61 
62 using std::endl;
63 
65 extern "C"
66 {
67 #include <solv/repo_rpmdb.h>
68 }
69 namespace zypp
70 {
71  namespace target
72  {
73  inline std::string rpmDbStateHash( const Pathname & root_r )
74  {
75  std::string ret;
76  AutoDispose<void*> state { ::rpm_state_create( sat::Pool::instance().get(), root_r.c_str() ), ::rpm_state_free };
77  AutoDispose<Chksum*> chk { ::solv_chksum_create( REPOKEY_TYPE_SHA1 ), []( Chksum *chk ) -> void {
78  ::solv_chksum_free( chk, nullptr );
79  } };
80  if ( ::rpm_hash_database_state( state, chk ) == 0 )
81  {
82  int md5l;
83  const unsigned char * md5 = ::solv_chksum_get( chk, &md5l );
84  ret = ::pool_bin2hex( sat::Pool::instance().get(), md5, md5l );
85  }
86  else
87  WAR << "rpm_hash_database_state failed" << endl;
88  return ret;
89  }
90 
91  inline RepoStatus rpmDbRepoStatus( const Pathname & root_r )
92  { return RepoStatus( rpmDbStateHash( root_r ), Date() ); }
93 
94  } // namespace target
95 } // namespace
97 
99 namespace zypp
100 {
102  namespace
103  {
104  // HACK for bnc#906096: let pool re-evaluate multiversion spec
105  // if target root changes. ZConfig returns data sensitive to
106  // current target root.
107  inline void sigMultiversionSpecChanged()
108  {
110  }
111  } //namespace
113 
115  namespace json
116  {
117  // Lazy via template specialisation / should switch to overloading
118 
119  template<>
120  inline std::string toJSON( const ZYppCommitResult::TransactionStepList & steps_r )
121  {
122  using sat::Transaction;
123  json::Array ret;
124 
125  for ( const Transaction::Step & step : steps_r )
126  // ignore implicit deletes due to obsoletes and non-package actions
127  if ( step.stepType() != Transaction::TRANSACTION_IGNORE )
128  ret.add( step );
129 
130  return ret.asJSON();
131  }
132 
134  template<>
135  inline std::string toJSON( const sat::Transaction::Step & step_r )
136  {
137  static const std::string strType( "type" );
138  static const std::string strStage( "stage" );
139  static const std::string strSolvable( "solvable" );
140 
141  static const std::string strTypeDel( "-" );
142  static const std::string strTypeIns( "+" );
143  static const std::string strTypeMul( "M" );
144 
145  static const std::string strStageDone( "ok" );
146  static const std::string strStageFailed( "err" );
147 
148  static const std::string strSolvableN( "n" );
149  static const std::string strSolvableE( "e" );
150  static const std::string strSolvableV( "v" );
151  static const std::string strSolvableR( "r" );
152  static const std::string strSolvableA( "a" );
153 
154  using sat::Transaction;
155  json::Object ret;
156 
157  switch ( step_r.stepType() )
158  {
159  case Transaction::TRANSACTION_IGNORE: /*empty*/ break;
160  case Transaction::TRANSACTION_ERASE: ret.add( strType, strTypeDel ); break;
161  case Transaction::TRANSACTION_INSTALL: ret.add( strType, strTypeIns ); break;
162  case Transaction::TRANSACTION_MULTIINSTALL: ret.add( strType, strTypeMul ); break;
163  }
164 
165  switch ( step_r.stepStage() )
166  {
167  case Transaction::STEP_TODO: /*empty*/ break;
168  case Transaction::STEP_DONE: ret.add( strStage, strStageDone ); break;
169  case Transaction::STEP_ERROR: ret.add( strStage, strStageFailed ); break;
170  }
171 
172  {
173  IdString ident;
174  Edition ed;
175  Arch arch;
176  if ( sat::Solvable solv = step_r.satSolvable() )
177  {
178  ident = solv.ident();
179  ed = solv.edition();
180  arch = solv.arch();
181  }
182  else
183  {
184  // deleted package; post mortem data stored in Transaction::Step
185  ident = step_r.ident();
186  ed = step_r.edition();
187  arch = step_r.arch();
188  }
189 
190  json::Object s {
191  { strSolvableN, ident.asString() },
192  { strSolvableV, ed.version() },
193  { strSolvableR, ed.release() },
194  { strSolvableA, arch.asString() }
195  };
196  if ( Edition::epoch_t epoch = ed.epoch() )
197  s.add( strSolvableE, epoch );
198 
199  ret.add( strSolvable, s );
200  }
201 
202  return ret.asJSON();
203  }
204  } // namespace json
206 
208  namespace target
209  {
211  namespace
212  {
213  SolvIdentFile::Data getUserInstalledFromHistory( const Pathname & historyFile_r )
214  {
215  SolvIdentFile::Data onSystemByUserList;
216  // go and parse it: 'who' must constain an '@', then it was installed by user request.
217  // 2009-09-29 07:25:19|install|lirc-remotes|0.8.5-3.2|x86_64|root@opensuse|InstallationImage|a204211eb0...
218  std::ifstream infile( historyFile_r.c_str() );
219  for( iostr::EachLine in( infile ); in; in.next() )
220  {
221  const char * ch( (*in).c_str() );
222  // start with year
223  if ( *ch < '1' || '9' < *ch )
224  continue;
225  const char * sep1 = ::strchr( ch, '|' ); // | after date
226  if ( !sep1 )
227  continue;
228  ++sep1;
229  // if logs an install or delete
230  bool installs = true;
231  if ( ::strncmp( sep1, "install|", 8 ) )
232  {
233  if ( ::strncmp( sep1, "remove |", 8 ) )
234  continue; // no install and no remove
235  else
236  installs = false; // remove
237  }
238  sep1 += 8; // | after what
239  // get the package name
240  const char * sep2 = ::strchr( sep1, '|' ); // | after name
241  if ( !sep2 || sep1 == sep2 )
242  continue;
243  (*in)[sep2-ch] = '\0';
244  IdString pkg( sep1 );
245  // we're done, if a delete
246  if ( !installs )
247  {
248  onSystemByUserList.erase( pkg );
249  continue;
250  }
251  // now guess whether user installed or not (3rd next field contains 'user@host')
252  if ( (sep1 = ::strchr( sep2+1, '|' )) // | after version
253  && (sep1 = ::strchr( sep1+1, '|' )) // | after arch
254  && (sep2 = ::strchr( sep1+1, '|' )) ) // | after who
255  {
256  (*in)[sep2-ch] = '\0';
257  if ( ::strchr( sep1+1, '@' ) )
258  {
259  // by user
260  onSystemByUserList.insert( pkg );
261  continue;
262  }
263  }
264  }
265  MIL << "onSystemByUserList found: " << onSystemByUserList.size() << endl;
266  return onSystemByUserList;
267  }
268  } // namespace
270 
272  namespace
273  {
274  inline PluginFrame transactionPluginFrame( const std::string & command_r, ZYppCommitResult::TransactionStepList & steps_r )
275  {
276  return PluginFrame( command_r, json::Object {
277  { "TransactionStepList", steps_r }
278  }.asJSON() );
279  }
280  } // namespace
282 
285  {
286  unsigned toKeep( ZConfig::instance().solver_upgradeTestcasesToKeep() );
287  MIL << "Testcases to keep: " << toKeep << endl;
288  if ( !toKeep )
289  return;
290  Target_Ptr target( getZYpp()->getTarget() );
291  if ( ! target )
292  {
293  WAR << "No Target no Testcase!" << endl;
294  return;
295  }
296 
297  std::string stem( "updateTestcase" );
298  Pathname dir( target->assertRootPrefix("/var/log/") );
299  Pathname next( dir / Date::now().form( stem+"-%Y-%m-%d-%H-%M-%S" ) );
300 
301  {
302  std::list<std::string> content;
303  filesystem::readdir( content, dir, /*dots*/false );
304  std::set<std::string> cases;
305  for_( c, content.begin(), content.end() )
306  {
307  if ( str::startsWith( *c, stem ) )
308  cases.insert( *c );
309  }
310  if ( cases.size() >= toKeep )
311  {
312  unsigned toDel = cases.size() - toKeep + 1; // +1 for the new one
313  for_( c, cases.begin(), cases.end() )
314  {
315  filesystem::recursive_rmdir( dir/(*c) );
316  if ( ! --toDel )
317  break;
318  }
319  }
320  }
321 
322  MIL << "Write new testcase " << next << endl;
323  getZYpp()->resolver()->createSolverTestcase( next.asString(), false/*no solving*/ );
324  }
325 
327  namespace
328  {
329 
340  std::pair<bool,PatchScriptReport::Action> doExecuteScript( const Pathname & root_r,
341  const Pathname & script_r,
343  {
344  MIL << "Execute script " << PathInfo(Pathname::assertprefix( root_r,script_r)) << endl;
345 
346  HistoryLog historylog;
347  historylog.comment(script_r.asString() + _(" executed"), /*timestamp*/true);
348  ExternalProgram prog( script_r.asString(), ExternalProgram::Stderr_To_Stdout, false, -1, true, root_r );
349 
350  for ( std::string output = prog.receiveLine(); output.length(); output = prog.receiveLine() )
351  {
352  historylog.comment(output);
353  if ( ! report_r->progress( PatchScriptReport::OUTPUT, output ) )
354  {
355  WAR << "User request to abort script " << script_r << endl;
356  prog.kill();
357  // the rest is handled by exit code evaluation
358  // in case the script has meanwhile finished.
359  }
360  }
361 
362  std::pair<bool,PatchScriptReport::Action> ret( std::make_pair( false, PatchScriptReport::ABORT ) );
363 
364  if ( prog.close() != 0 )
365  {
366  ret.second = report_r->problem( prog.execError() );
367  WAR << "ACTION" << ret.second << "(" << prog.execError() << ")" << endl;
368  std::ostringstream sstr;
369  sstr << script_r << _(" execution failed") << " (" << prog.execError() << ")" << endl;
370  historylog.comment(sstr.str(), /*timestamp*/true);
371  return ret;
372  }
373 
374  report_r->finish();
375  ret.first = true;
376  return ret;
377  }
378 
382  bool executeScript( const Pathname & root_r,
383  const Pathname & script_r,
384  callback::SendReport<PatchScriptReport> & report_r )
385  {
386  std::pair<bool,PatchScriptReport::Action> action( std::make_pair( false, PatchScriptReport::ABORT ) );
387 
388  do {
389  action = doExecuteScript( root_r, script_r, report_r );
390  if ( action.first )
391  return true; // success
392 
393  switch ( action.second )
394  {
396  WAR << "User request to abort at script " << script_r << endl;
397  return false; // requested abort.
398  break;
399 
401  WAR << "User request to skip script " << script_r << endl;
402  return true; // requested skip.
403  break;
404 
406  break; // again
407  }
408  } while ( action.second == PatchScriptReport::RETRY );
409 
410  // THIS is not intended to be reached:
411  INT << "Abort on unknown ACTION request " << action.second << " returned" << endl;
412  return false; // abort.
413  }
414 
420  bool RunUpdateScripts( const Pathname & root_r,
421  const Pathname & scriptsPath_r,
422  const std::vector<sat::Solvable> & checkPackages_r,
423  bool aborting_r )
424  {
425  if ( checkPackages_r.empty() )
426  return true; // no installed packages to check
427 
428  MIL << "Looking for new update scripts in (" << root_r << ")" << scriptsPath_r << endl;
429  Pathname scriptsDir( Pathname::assertprefix( root_r, scriptsPath_r ) );
430  if ( ! PathInfo( scriptsDir ).isDir() )
431  return true; // no script dir
432 
433  std::list<std::string> scripts;
434  filesystem::readdir( scripts, scriptsDir, /*dots*/false );
435  if ( scripts.empty() )
436  return true; // no scripts in script dir
437 
438  // Now collect and execute all matching scripts.
439  // On ABORT: at least log all outstanding scripts.
440  // - "name-version-release"
441  // - "name-version-release-*"
442  bool abort = false;
443  std::map<std::string, Pathname> unify; // scripts <md5,path>
444  for_( it, checkPackages_r.begin(), checkPackages_r.end() )
445  {
446  std::string prefix( str::form( "%s-%s", it->name().c_str(), it->edition().c_str() ) );
447  for_( sit, scripts.begin(), scripts.end() )
448  {
449  if ( ! str::hasPrefix( *sit, prefix ) )
450  continue;
451 
452  if ( (*sit)[prefix.size()] != '\0' && (*sit)[prefix.size()] != '-' )
453  continue; // if not exact match it had to continue with '-'
454 
455  PathInfo script( scriptsDir / *sit );
456  Pathname localPath( scriptsPath_r/(*sit) ); // without root prefix
457  std::string unifytag; // must not stay empty
458 
459  if ( script.isFile() )
460  {
461  // Assert it's set executable, unify by md5sum.
462  filesystem::addmod( script.path(), 0500 );
463  unifytag = filesystem::md5sum( script.path() );
464  }
465  else if ( ! script.isExist() )
466  {
467  // Might be a dangling symlink, might be ok if we are in
468  // instsys (absolute symlink within the system below /mnt).
469  // readlink will tell....
470  unifytag = filesystem::readlink( script.path() ).asString();
471  }
472 
473  if ( unifytag.empty() )
474  continue;
475 
476  // Unify scripts
477  if ( unify[unifytag].empty() )
478  {
479  unify[unifytag] = localPath;
480  }
481  else
482  {
483  // translators: We may find the same script content in files with different names.
484  // Only the first occurence is executed, subsequent ones are skipped. It's a one-line
485  // message for a log file. Preferably start translation with "%s"
486  std::string msg( str::form(_("%s already executed as %s)"), localPath.asString().c_str(), unify[unifytag].c_str() ) );
487  MIL << "Skip update script: " << msg << endl;
488  HistoryLog().comment( msg, /*timestamp*/true );
489  continue;
490  }
491 
492  if ( abort || aborting_r )
493  {
494  WAR << "Aborting: Skip update script " << *sit << endl;
495  HistoryLog().comment(
496  localPath.asString() + _(" execution skipped while aborting"),
497  /*timestamp*/true);
498  }
499  else
500  {
501  MIL << "Found update script " << *sit << endl;
502  callback::SendReport<PatchScriptReport> report;
503  report->start( make<Package>( *it ), script.path() );
504 
505  if ( ! executeScript( root_r, localPath, report ) ) // script path without root prefix!
506  abort = true; // requested abort.
507  }
508  }
509  }
510  return !abort;
511  }
512 
514  //
516 
517  inline void copyTo( std::ostream & out_r, const Pathname & file_r )
518  {
519  std::ifstream infile( file_r.c_str() );
520  for( iostr::EachLine in( infile ); in; in.next() )
521  {
522  out_r << *in << endl;
523  }
524  }
525 
526  inline std::string notificationCmdSubst( const std::string & cmd_r, const UpdateNotificationFile & notification_r )
527  {
528  std::string ret( cmd_r );
529 #define SUBST_IF(PAT,VAL) if ( ret.find( PAT ) != std::string::npos ) ret = str::gsub( ret, PAT, VAL )
530  SUBST_IF( "%p", notification_r.solvable().asString() );
531  SUBST_IF( "%P", notification_r.file().asString() );
532 #undef SUBST_IF
533  return ret;
534  }
535 
536  void sendNotification( const Pathname & root_r,
537  const UpdateNotifications & notifications_r )
538  {
539  if ( notifications_r.empty() )
540  return;
541 
542  std::string cmdspec( ZConfig::instance().updateMessagesNotify() );
543  MIL << "Notification command is '" << cmdspec << "'" << endl;
544  if ( cmdspec.empty() )
545  return;
546 
547  std::string::size_type pos( cmdspec.find( '|' ) );
548  if ( pos == std::string::npos )
549  {
550  ERR << "Can't send Notification: Missing 'format |' in command spec." << endl;
551  HistoryLog().comment( str::Str() << _("Error sending update message notification."), /*timestamp*/true );
552  return;
553  }
554 
555  std::string formatStr( str::toLower( str::trim( cmdspec.substr( 0, pos ) ) ) );
556  std::string commandStr( str::trim( cmdspec.substr( pos + 1 ) ) );
557 
558  enum Format { UNKNOWN, NONE, SINGLE, DIGEST, BULK };
559  Format format = UNKNOWN;
560  if ( formatStr == "none" )
561  format = NONE;
562  else if ( formatStr == "single" )
563  format = SINGLE;
564  else if ( formatStr == "digest" )
565  format = DIGEST;
566  else if ( formatStr == "bulk" )
567  format = BULK;
568  else
569  {
570  ERR << "Can't send Notification: Unknown format '" << formatStr << " |' in command spec." << endl;
571  HistoryLog().comment( str::Str() << _("Error sending update message notification."), /*timestamp*/true );
572  return;
573  }
574 
575  // Take care: commands are ececuted chroot(root_r). The message file
576  // pathnames in notifications_r are local to root_r. For physical access
577  // to the file they need to be prefixed.
578 
579  if ( format == NONE || format == SINGLE )
580  {
581  for_( it, notifications_r.begin(), notifications_r.end() )
582  {
583  std::vector<std::string> command;
584  if ( format == SINGLE )
585  command.push_back( "<"+Pathname::assertprefix( root_r, it->file() ).asString() );
586  str::splitEscaped( notificationCmdSubst( commandStr, *it ), std::back_inserter( command ) );
587 
588  ExternalProgram prog( command, ExternalProgram::Stderr_To_Stdout, false, -1, true, root_r );
589  if ( true ) // Wait for feedback
590  {
591  for( std::string line = prog.receiveLine(); ! line.empty(); line = prog.receiveLine() )
592  {
593  DBG << line;
594  }
595  int ret = prog.close();
596  if ( ret != 0 )
597  {
598  ERR << "Notification command returned with error (" << ret << ")." << endl;
599  HistoryLog().comment( str::Str() << _("Error sending update message notification."), /*timestamp*/true );
600  return;
601  }
602  }
603  }
604  }
605  else if ( format == DIGEST || format == BULK )
606  {
607  filesystem::TmpFile tmpfile;
608  std::ofstream out( tmpfile.path().c_str() );
609  for_( it, notifications_r.begin(), notifications_r.end() )
610  {
611  if ( format == DIGEST )
612  {
613  out << it->file() << endl;
614  }
615  else if ( format == BULK )
616  {
617  copyTo( out << '\f', Pathname::assertprefix( root_r, it->file() ) );
618  }
619  }
620 
621  std::vector<std::string> command;
622  command.push_back( "<"+tmpfile.path().asString() ); // redirect input
623  str::splitEscaped( notificationCmdSubst( commandStr, *notifications_r.begin() ), std::back_inserter( command ) );
624 
625  ExternalProgram prog( command, ExternalProgram::Stderr_To_Stdout, false, -1, true, root_r );
626  if ( true ) // Wait for feedback otherwise the TmpFile goes out of scope.
627  {
628  for( std::string line = prog.receiveLine(); ! line.empty(); line = prog.receiveLine() )
629  {
630  DBG << line;
631  }
632  int ret = prog.close();
633  if ( ret != 0 )
634  {
635  ERR << "Notification command returned with error (" << ret << ")." << endl;
636  HistoryLog().comment( str::Str() << _("Error sending update message notification."), /*timestamp*/true );
637  return;
638  }
639  }
640  }
641  else
642  {
643  INT << "Can't send Notification: Missing handler for 'format |' in command spec." << endl;
644  HistoryLog().comment( str::Str() << _("Error sending update message notification."), /*timestamp*/true );
645  return;
646  }
647  }
648 
649 
655  void RunUpdateMessages( const Pathname & root_r,
656  const Pathname & messagesPath_r,
657  const std::vector<sat::Solvable> & checkPackages_r,
658  ZYppCommitResult & result_r )
659  {
660  if ( checkPackages_r.empty() )
661  return; // no installed packages to check
662 
663  MIL << "Looking for new update messages in (" << root_r << ")" << messagesPath_r << endl;
664  Pathname messagesDir( Pathname::assertprefix( root_r, messagesPath_r ) );
665  if ( ! PathInfo( messagesDir ).isDir() )
666  return; // no messages dir
667 
668  std::list<std::string> messages;
669  filesystem::readdir( messages, messagesDir, /*dots*/false );
670  if ( messages.empty() )
671  return; // no messages in message dir
672 
673  // Now collect all matching messages in result and send them
674  // - "name-version-release"
675  // - "name-version-release-*"
676  HistoryLog historylog;
677  for_( it, checkPackages_r.begin(), checkPackages_r.end() )
678  {
679  std::string prefix( str::form( "%s-%s", it->name().c_str(), it->edition().c_str() ) );
680  for_( sit, messages.begin(), messages.end() )
681  {
682  if ( ! str::hasPrefix( *sit, prefix ) )
683  continue;
684 
685  if ( (*sit)[prefix.size()] != '\0' && (*sit)[prefix.size()] != '-' )
686  continue; // if not exact match it had to continue with '-'
687 
688  PathInfo message( messagesDir / *sit );
689  if ( ! message.isFile() || message.size() == 0 )
690  continue;
691 
692  MIL << "Found update message " << *sit << endl;
693  Pathname localPath( messagesPath_r/(*sit) ); // without root prefix
694  result_r.rUpdateMessages().push_back( UpdateNotificationFile( *it, localPath ) );
695  historylog.comment( str::Str() << _("New update message") << " " << localPath, /*timestamp*/true );
696  }
697  }
698  sendNotification( root_r, result_r.updateMessages() );
699  }
700 
704  void logPatchStatusChanges( const sat::Transaction & transaction_r, TargetImpl & target_r )
705  {
707  if ( changedPseudoInstalled.empty() )
708  return;
709 
710  if ( ! transaction_r.actionEmpty( ~sat::Transaction::STEP_DONE ) )
711  {
712  // Need to recompute the patch list if commit is incomplete!
713  // We remember the initially established status, then reload the
714  // Target to get the current patch status. Then compare.
715  WAR << "Need to recompute the patch status changes as commit is incomplete!" << endl;
716  ResPool::EstablishedStates establishedStates{ ResPool::instance().establishedStates() };
717  target_r.load();
718  changedPseudoInstalled = establishedStates.changedPseudoInstalled();
719  }
720 
721  HistoryLog historylog;
722  for ( const auto & el : changedPseudoInstalled )
723  historylog.patchStateChange( el.first, el.second );
724  }
725 
727  } // namespace
729 
730  void XRunUpdateMessages( const Pathname & root_r,
731  const Pathname & messagesPath_r,
732  const std::vector<sat::Solvable> & checkPackages_r,
733  ZYppCommitResult & result_r )
734  { RunUpdateMessages( root_r, messagesPath_r, checkPackages_r, result_r ); }
735 
737 
738  IMPL_PTR_TYPE(TargetImpl);
739 
741  //
742  // METHOD NAME : TargetImpl::TargetImpl
743  // METHOD TYPE : Ctor
744  //
745  TargetImpl::TargetImpl( const Pathname & root_r, bool doRebuild_r )
746  : _root( root_r )
747  , _requestedLocalesFile( home() / "RequestedLocales" )
748  , _autoInstalledFile( home() / "AutoInstalled" )
749  , _hardLocksFile( Pathname::assertprefix( _root, ZConfig::instance().locksFile() ) )
750  {
751  _rpm.initDatabase( root_r, doRebuild_r );
752 
754 
756  sigMultiversionSpecChanged(); // HACK: see sigMultiversionSpecChanged
757  MIL << "Initialized target on " << _root << endl;
758  }
759 
763  static std::string generateRandomId()
764  {
765  std::ifstream uuidprovider( "/proc/sys/kernel/random/uuid" );
766  return iostr::getline( uuidprovider );
767  }
768 
774  void updateFileContent( const Pathname &filename,
775  boost::function<bool ()> condition,
776  boost::function<std::string ()> value )
777  {
778  std::string val = value();
779  // if the value is empty, then just dont
780  // do anything, regardless of the condition
781  if ( val.empty() )
782  return;
783 
784  if ( condition() )
785  {
786  MIL << "updating '" << filename << "' content." << endl;
787 
788  // if the file does not exist we need to generate the uuid file
789 
790  std::ofstream filestr;
791  // make sure the path exists
792  filesystem::assert_dir( filename.dirname() );
793  filestr.open( filename.c_str() );
794 
795  if ( filestr.good() )
796  {
797  filestr << val;
798  filestr.close();
799  }
800  else
801  {
802  // FIXME, should we ignore the error?
803  ZYPP_THROW(Exception("Can't openfile '" + filename.asString() + "' for writing"));
804  }
805  }
806  }
807 
809  static bool fileMissing( const Pathname &pathname )
810  {
811  return ! PathInfo(pathname).isExist();
812  }
813 
815  {
816  // bsc#1024741: Omit creating a new uid for chrooted systems (if it already has one, fine)
817  if ( root() != "/" )
818  return;
819 
820  // Create the anonymous unique id, used for download statistics
821  Pathname idpath( home() / "AnonymousUniqueId");
822 
823  try
824  {
825  updateFileContent( idpath,
826  boost::bind(fileMissing, idpath),
828  }
829  catch ( const Exception &e )
830  {
831  WAR << "Can't create anonymous id file" << endl;
832  }
833 
834  }
835 
837  {
838  // create the anonymous unique id
839  // this value is used for statistics
840  Pathname flavorpath( home() / "LastDistributionFlavor");
841 
842  // is there a product
844  if ( ! p )
845  {
846  WAR << "No base product, I won't create flavor cache" << endl;
847  return;
848  }
849 
850  std::string flavor = p->flavor();
851 
852  try
853  {
854 
855  updateFileContent( flavorpath,
856  // only if flavor is not empty
857  functor::Constant<bool>( ! flavor.empty() ),
859  }
860  catch ( const Exception &e )
861  {
862  WAR << "Can't create flavor cache" << endl;
863  return;
864  }
865  }
866 
868  //
869  // METHOD NAME : TargetImpl::~TargetImpl
870  // METHOD TYPE : Dtor
871  //
873  {
875  sigMultiversionSpecChanged(); // HACK: see sigMultiversionSpecChanged
876  MIL << "Targets closed" << endl;
877  }
878 
880  //
881  // solv file handling
882  //
884 
886  {
887  return Pathname::assertprefix( _root, ZConfig::instance().repoSolvfilesPath() / sat::Pool::instance().systemRepoAlias() );
888  }
889 
891  {
892  Pathname base = solvfilesPath();
894  }
895 
897  {
898  Pathname base = solvfilesPath();
899  Pathname rpmsolv = base/"solv";
900  Pathname rpmsolvcookie = base/"cookie";
901 
902  bool build_rpm_solv = true;
903  // lets see if the rpm solv cache exists
904 
905  RepoStatus rpmstatus( rpmDbRepoStatus(_root) && RepoStatus(_root/"etc/products.d") );
906 
907  bool solvexisted = PathInfo(rpmsolv).isExist();
908  if ( solvexisted )
909  {
910  // see the status of the cache
911  PathInfo cookie( rpmsolvcookie );
912  MIL << "Read cookie: " << cookie << endl;
913  if ( cookie.isExist() )
914  {
915  RepoStatus status = RepoStatus::fromCookieFile(rpmsolvcookie);
916  // now compare it with the rpm database
917  if ( status == rpmstatus )
918  build_rpm_solv = false;
919  MIL << "Read cookie: " << rpmsolvcookie << " says: "
920  << (build_rpm_solv ? "outdated" : "uptodate") << endl;
921  }
922  }
923 
924  if ( build_rpm_solv )
925  {
926  // if the solvfile dir does not exist yet, we better create it
927  filesystem::assert_dir( base );
928 
929  Pathname oldSolvFile( solvexisted ? rpmsolv : Pathname() ); // to speedup rpmdb2solv
930 
932  if ( !tmpsolv )
933  {
934  // Can't create temporary solv file, usually due to insufficient permission
935  // (user query while @System solv needs refresh). If so, try switching
936  // to a location within zypps temp. space (will be cleaned at application end).
937 
938  bool switchingToTmpSolvfile = false;
939  Exception ex("Failed to cache rpm database.");
940  ex.remember(str::form("Cannot create temporary file under %s.", base.c_str()));
941 
942  if ( ! solvfilesPathIsTemp() )
943  {
944  base = getZYpp()->tmpPath() / sat::Pool::instance().systemRepoAlias();
945  rpmsolv = base/"solv";
946  rpmsolvcookie = base/"cookie";
947 
948  filesystem::assert_dir( base );
949  tmpsolv = filesystem::TmpFile::makeSibling( rpmsolv );
950 
951  if ( tmpsolv )
952  {
953  WAR << "Using a temporary solv file at " << base << endl;
954  switchingToTmpSolvfile = true;
955  _tmpSolvfilesPath = base;
956  }
957  else
958  {
959  ex.remember(str::form("Cannot create temporary file under %s.", base.c_str()));
960  }
961  }
962 
963  if ( ! switchingToTmpSolvfile )
964  {
965  ZYPP_THROW(ex);
966  }
967  }
968 
969  // Take care we unlink the solvfile on exception
971 
973  cmd.push_back( "rpmdb2solv" );
974  if ( ! _root.empty() ) {
975  cmd.push_back( "-r" );
976  cmd.push_back( _root.asString() );
977  }
978  cmd.push_back( "-X" ); // autogenerate pattern/product/... from -package
979  // bsc#1104415: no more application support // cmd.push_back( "-A" ); // autogenerate application pseudo packages
980  cmd.push_back( "-p" );
981  cmd.push_back( Pathname::assertprefix( _root, "/etc/products.d" ).asString() );
982 
983  if ( ! oldSolvFile.empty() )
984  cmd.push_back( oldSolvFile.asString() );
985 
986  cmd.push_back( "-o" );
987  cmd.push_back( tmpsolv.path().asString() );
988 
990  std::string errdetail;
991 
992  for ( std::string output( prog.receiveLine() ); output.length(); output = prog.receiveLine() ) {
993  WAR << " " << output;
994  if ( errdetail.empty() ) {
995  errdetail = prog.command();
996  errdetail += '\n';
997  }
998  errdetail += output;
999  }
1000 
1001  int ret = prog.close();
1002  if ( ret != 0 )
1003  {
1004  Exception ex(str::form("Failed to cache rpm database (%d).", ret));
1005  ex.remember( errdetail );
1006  ZYPP_THROW(ex);
1007  }
1008 
1009  ret = filesystem::rename( tmpsolv, rpmsolv );
1010  if ( ret != 0 )
1011  ZYPP_THROW(Exception("Failed to move cache to final destination"));
1012  // if this fails, don't bother throwing exceptions
1013  filesystem::chmod( rpmsolv, 0644 );
1014 
1015  rpmstatus.saveToCookieFile(rpmsolvcookie);
1016 
1017  // We keep it.
1018  guard.resetDispose();
1019  sat::updateSolvFileIndex( rpmsolv ); // content digest for zypper bash completion
1020 
1021  // system-hook: Finally send notification to plugins
1022  if ( root() == "/" )
1023  {
1024  PluginExecutor plugins;
1025  plugins.load( ZConfig::instance().pluginsPath()/"system" );
1026  if ( plugins )
1027  plugins.send( PluginFrame( "PACKAGESETCHANGED" ) );
1028  }
1029  }
1030  else
1031  {
1032  // On the fly add missing solv.idx files for bash completion.
1033  if ( ! PathInfo(base/"solv.idx").isExist() )
1034  sat::updateSolvFileIndex( rpmsolv );
1035  }
1036  return build_rpm_solv;
1037  }
1038 
1040  {
1041  load( false );
1042  }
1043 
1045  {
1046  Repository system( sat::Pool::instance().findSystemRepo() );
1047  if ( system )
1048  system.eraseFromPool();
1049  }
1050 
1051  void TargetImpl::load( bool force )
1052  {
1053  bool newCache = buildCache();
1054  MIL << "New cache built: " << (newCache?"true":"false") <<
1055  ", force loading: " << (force?"true":"false") << endl;
1056 
1057  // now add the repos to the pool
1058  sat::Pool satpool( sat::Pool::instance() );
1059  Pathname rpmsolv( solvfilesPath() / "solv" );
1060  MIL << "adding " << rpmsolv << " to pool(" << satpool.systemRepoAlias() << ")" << endl;
1061 
1062  // Providing an empty system repo, unload any old content
1063  Repository system( sat::Pool::instance().findSystemRepo() );
1064 
1065  if ( system && ! system.solvablesEmpty() )
1066  {
1067  if ( newCache || force )
1068  {
1069  system.eraseFromPool(); // invalidates system
1070  }
1071  else
1072  {
1073  return; // nothing to do
1074  }
1075  }
1076 
1077  if ( ! system )
1078  {
1079  system = satpool.systemRepo();
1080  }
1081 
1082  try
1083  {
1084  MIL << "adding " << rpmsolv << " to system" << endl;
1085  system.addSolv( rpmsolv );
1086  }
1087  catch ( const Exception & exp )
1088  {
1089  ZYPP_CAUGHT( exp );
1090  MIL << "Try to handle exception by rebuilding the solv-file" << endl;
1091  clearCache();
1092  buildCache();
1093 
1094  system.addSolv( rpmsolv );
1095  }
1096  satpool.rootDir( _root );
1097 
1098  // (Re)Load the requested locales et al.
1099  // If the requested locales are empty, we leave the pool untouched
1100  // to avoid undoing changes the application applied. We expect this
1101  // to happen on a bare metal installation only. An already existing
1102  // target should be loaded before its settings are changed.
1103  {
1105  if ( ! requestedLocales.empty() )
1106  {
1108  }
1109  }
1110  {
1111  if ( ! PathInfo( _autoInstalledFile.file() ).isExist() )
1112  {
1113  // Initialize from history, if it does not exist
1114  Pathname historyFile( Pathname::assertprefix( _root, ZConfig::instance().historyLogFile() ) );
1115  if ( PathInfo( historyFile ).isExist() )
1116  {
1117  SolvIdentFile::Data onSystemByUser( getUserInstalledFromHistory( historyFile ) );
1118  SolvIdentFile::Data onSystemByAuto;
1119  for_( it, system.solvablesBegin(), system.solvablesEnd() )
1120  {
1121  IdString ident( (*it).ident() );
1122  if ( onSystemByUser.find( ident ) == onSystemByUser.end() )
1123  onSystemByAuto.insert( ident );
1124  }
1125  _autoInstalledFile.setData( onSystemByAuto );
1126  }
1127  // on the fly removed any obsolete SoftLocks file
1128  filesystem::unlink( home() / "SoftLocks" );
1129  }
1130  // read from AutoInstalled file
1131  sat::StringQueue q;
1132  for ( const auto & idstr : _autoInstalledFile.data() )
1133  q.push( idstr.id() );
1134  satpool.setAutoInstalled( q );
1135  }
1136 
1137  // Load the needreboot package specs
1138  {
1139  sat::SolvableSpec needrebootSpec;
1140 
1141  Pathname needrebootFile { Pathname::assertprefix( root(), ZConfig::instance().needrebootFile() ) };
1142  if ( PathInfo( needrebootFile ).isFile() )
1143  needrebootSpec.parseFrom( needrebootFile );
1144 
1145  Pathname needrebootDir { Pathname::assertprefix( root(), ZConfig::instance().needrebootPath() ) };
1146  if ( PathInfo( needrebootDir ).isDir() )
1147  {
1148  static const StrMatcher isRpmConfigBackup( "\\.rpm(new|save|orig)$", Match::REGEX );
1149 
1151  [&]( const Pathname & dir_r, const char *const str_r )->bool
1152  {
1153  if ( ! isRpmConfigBackup( str_r ) )
1154  {
1155  Pathname needrebootFile { needrebootDir / str_r };
1156  if ( PathInfo( needrebootFile ).isFile() )
1157  needrebootSpec.parseFrom( needrebootFile );
1158  }
1159  return true;
1160  });
1161  }
1162  satpool.setNeedrebootSpec( std::move(needrebootSpec) );
1163  }
1164 
1165  if ( ZConfig::instance().apply_locks_file() )
1166  {
1167  const HardLocksFile::Data & hardLocks( _hardLocksFile.data() );
1168  if ( ! hardLocks.empty() )
1169  {
1170  ResPool::instance().setHardLockQueries( hardLocks );
1171  }
1172  }
1173 
1174  // now that the target is loaded, we can cache the flavor
1176 
1177  MIL << "Target loaded: " << system.solvablesSize() << " resolvables" << endl;
1178  }
1179 
1181  //
1182  // COMMIT
1183  //
1186  {
1187  // ----------------------------------------------------------------- //
1188  ZYppCommitPolicy policy_r( policy_rX );
1189  bool explicitDryRun = policy_r.dryRun(); // explicit dry run will trigger a fileconflict check, implicit (download-only) not.
1190 
1191  ShutdownLock lck("Zypp commit running.");
1192 
1193  // Fake outstanding YCP fix: Honour restriction to media 1
1194  // at installation, but install all remaining packages if post-boot.
1195  if ( policy_r.restrictToMedia() > 1 )
1196  policy_r.allMedia();
1197 
1198  if ( policy_r.downloadMode() == DownloadDefault ) {
1199  if ( root() == "/" )
1200  policy_r.downloadMode(DownloadInHeaps);
1201  else
1202  policy_r.downloadMode(DownloadAsNeeded);
1203  }
1204  // DownloadOnly implies dry-run.
1205  else if ( policy_r.downloadMode() == DownloadOnly )
1206  policy_r.dryRun( true );
1207  // ----------------------------------------------------------------- //
1208 
1209  MIL << "TargetImpl::commit(<pool>, " << policy_r << ")" << endl;
1210 
1212  // Compute transaction:
1214  ZYppCommitResult result( root() );
1215  result.rTransaction() = pool_r.resolver().getTransaction();
1216  result.rTransaction().order();
1217  // steps: this is our todo-list
1219  if ( policy_r.restrictToMedia() )
1220  {
1221  // Collect until the 1st package from an unwanted media occurs.
1222  // Further collection could violate install order.
1223  MIL << "Restrict to media number " << policy_r.restrictToMedia() << endl;
1224  for_( it, result.transaction().begin(), result.transaction().end() )
1225  {
1226  if ( makeResObject( *it )->mediaNr() > 1 )
1227  break;
1228  steps.push_back( *it );
1229  }
1230  }
1231  else
1232  {
1233  result.rTransactionStepList().insert( steps.end(), result.transaction().begin(), result.transaction().end() );
1234  }
1235  MIL << "Todo: " << result << endl;
1236 
1238  // Prepare execution of commit plugins:
1240  PluginExecutor commitPlugins;
1241  if ( root() == "/" && ! policy_r.dryRun() )
1242  {
1243  commitPlugins.load( ZConfig::instance().pluginsPath()/"commit" );
1244  }
1245  if ( commitPlugins )
1246  commitPlugins.send( transactionPluginFrame( "COMMITBEGIN", steps ) );
1247 
1249  // Write out a testcase if we're in dist upgrade mode.
1251  if ( pool_r.resolver().upgradeMode() || pool_r.resolver().upgradingRepos() )
1252  {
1253  if ( ! policy_r.dryRun() )
1254  {
1256  }
1257  else
1258  {
1259  DBG << "dryRun: Not writing upgrade testcase." << endl;
1260  }
1261  }
1262 
1264  // Store non-package data:
1266  if ( ! policy_r.dryRun() )
1267  {
1269  // requested locales
1271  // autoinstalled
1272  {
1273  SolvIdentFile::Data newdata;
1274  for ( sat::Queue::value_type id : result.rTransaction().autoInstalled() )
1275  newdata.insert( IdString(id) );
1276  _autoInstalledFile.setData( newdata );
1277  }
1278  // hard locks
1279  if ( ZConfig::instance().apply_locks_file() )
1280  {
1281  HardLocksFile::Data newdata;
1282  pool_r.getHardLockQueries( newdata );
1283  _hardLocksFile.setData( newdata );
1284  }
1285  }
1286  else
1287  {
1288  DBG << "dryRun: Not stroring non-package data." << endl;
1289  }
1290 
1292  // First collect and display all messages
1293  // associated with patches to be installed.
1295  if ( ! policy_r.dryRun() )
1296  {
1297  for_( it, steps.begin(), steps.end() )
1298  {
1299  if ( ! it->satSolvable().isKind<Patch>() )
1300  continue;
1301 
1302  PoolItem pi( *it );
1303  if ( ! pi.status().isToBeInstalled() )
1304  continue;
1305 
1306  Patch::constPtr patch( asKind<Patch>(pi.resolvable()) );
1307  if ( ! patch ||patch->message().empty() )
1308  continue;
1309 
1310  MIL << "Show message for " << patch << endl;
1312  if ( ! report->show( patch ) )
1313  {
1314  WAR << "commit aborted by the user" << endl;
1316  }
1317  }
1318  }
1319  else
1320  {
1321  DBG << "dryRun: Not checking patch messages." << endl;
1322  }
1323 
1325  // Remove/install packages.
1327  DBG << "commit log file is set to: " << HistoryLog::fname() << endl;
1328  if ( ! policy_r.dryRun() || policy_r.downloadMode() == DownloadOnly )
1329  {
1330  // Prepare the package cache. Pass all items requiring download.
1331  CommitPackageCache packageCache;
1332  packageCache.setCommitList( steps.begin(), steps.end() );
1333 
1334  bool miss = false;
1335  if ( policy_r.downloadMode() != DownloadAsNeeded )
1336  {
1337  // Preload the cache. Until now this means pre-loading all packages.
1338  // Once DownloadInHeaps is fully implemented, this will change and
1339  // we may actually have more than one heap.
1340  for_( it, steps.begin(), steps.end() )
1341  {
1342  switch ( it->stepType() )
1343  {
1346  // proceed: only install actionas may require download.
1347  break;
1348 
1349  default:
1350  // next: no download for or non-packages and delete actions.
1351  continue;
1352  break;
1353  }
1354 
1355  PoolItem pi( *it );
1356  if ( pi->isKind<Package>() || pi->isKind<SrcPackage>() )
1357  {
1358  ManagedFile localfile;
1359  try
1360  {
1361  localfile = packageCache.get( pi );
1362  localfile.resetDispose(); // keep the package file in the cache
1363  }
1364  catch ( const AbortRequestException & exp )
1365  {
1366  it->stepStage( sat::Transaction::STEP_ERROR );
1367  miss = true;
1368  WAR << "commit cache preload aborted by the user" << endl;
1370  break;
1371  }
1372  catch ( const SkipRequestException & exp )
1373  {
1374  ZYPP_CAUGHT( exp );
1375  it->stepStage( sat::Transaction::STEP_ERROR );
1376  miss = true;
1377  WAR << "Skipping cache preload package " << pi->asKind<Package>() << " in commit" << endl;
1378  continue;
1379  }
1380  catch ( const Exception & exp )
1381  {
1382  // bnc #395704: missing catch causes abort.
1383  // TODO see if packageCache fails to handle errors correctly.
1384  ZYPP_CAUGHT( exp );
1385  it->stepStage( sat::Transaction::STEP_ERROR );
1386  miss = true;
1387  INT << "Unexpected Error: Skipping cache preload package " << pi->asKind<Package>() << " in commit" << endl;
1388  continue;
1389  }
1390  }
1391  }
1392  packageCache.preloaded( true ); // try to avoid duplicate infoInCache CBs in commit
1393  }
1394 
1395  if ( miss )
1396  {
1397  ERR << "Some packages could not be provided. Aborting commit."<< endl;
1398  }
1399  else
1400  {
1401  if ( ! policy_r.dryRun() )
1402  {
1403  // if cache is preloaded, check for file conflicts
1404  commitFindFileConflicts( policy_r, result );
1405  commit( policy_r, packageCache, result );
1406  }
1407  else
1408  {
1409  DBG << "dryRun/downloadOnly: Not installing/deleting anything." << endl;
1410  if ( explicitDryRun ) {
1411  // if cache is preloaded, check for file conflicts
1412  commitFindFileConflicts( policy_r, result );
1413  }
1414  }
1415  }
1416  }
1417  else
1418  {
1419  DBG << "dryRun: Not downloading/installing/deleting anything." << endl;
1420  if ( explicitDryRun ) {
1421  // if cache is preloaded, check for file conflicts
1422  commitFindFileConflicts( policy_r, result );
1423  }
1424  }
1425 
1427  // Send result to commit plugins:
1429  if ( commitPlugins )
1430  commitPlugins.send( transactionPluginFrame( "COMMITEND", steps ) );
1431 
1433  // Try to rebuild solv file while rpm database is still in cache
1435  if ( ! policy_r.dryRun() )
1436  {
1437  buildCache();
1438  }
1439 
1440  MIL << "TargetImpl::commit(<pool>, " << policy_r << ") returns: " << result << endl;
1441  return result;
1442  }
1443 
1445  //
1446  // COMMIT internal
1447  //
1449  namespace
1450  {
1451  struct NotifyAttemptToModify
1452  {
1453  NotifyAttemptToModify( ZYppCommitResult & result_r ) : _result( result_r ) {}
1454 
1455  void operator()()
1456  { if ( _guard ) { _result.attemptToModify( true ); _guard = false; } }
1457 
1458  TrueBool _guard;
1459  ZYppCommitResult & _result;
1460  };
1461  } // namespace
1462 
1463  void TargetImpl::commit( const ZYppCommitPolicy & policy_r,
1464  CommitPackageCache & packageCache_r,
1465  ZYppCommitResult & result_r )
1466  {
1467  // steps: this is our todo-list
1469  MIL << "TargetImpl::commit(<list>" << policy_r << ")" << steps.size() << endl;
1470 
1472 
1473  // Send notification once upon 1st call to rpm
1474  NotifyAttemptToModify attemptToModify( result_r );
1475 
1476  bool abort = false;
1477 
1478  RpmPostTransCollector postTransCollector( _root );
1479  std::vector<sat::Solvable> successfullyInstalledPackages;
1480  TargetImpl::PoolItemList remaining;
1481 
1482  for_( step, steps.begin(), steps.end() )
1483  {
1484  PoolItem citem( *step );
1485  if ( step->stepType() == sat::Transaction::TRANSACTION_IGNORE )
1486  {
1487  if ( citem->isKind<Package>() )
1488  {
1489  // for packages this means being obsoleted (by rpm)
1490  // thius no additional action is needed.
1491  step->stepStage( sat::Transaction::STEP_DONE );
1492  continue;
1493  }
1494  }
1495 
1496  if ( citem->isKind<Package>() )
1497  {
1498  Package::constPtr p = citem->asKind<Package>();
1499  if ( citem.status().isToBeInstalled() )
1500  {
1501  ManagedFile localfile;
1502  try
1503  {
1504  localfile = packageCache_r.get( citem );
1505  }
1506  catch ( const AbortRequestException &e )
1507  {
1508  WAR << "commit aborted by the user" << endl;
1509  abort = true;
1510  step->stepStage( sat::Transaction::STEP_ERROR );
1511  break;
1512  }
1513  catch ( const SkipRequestException &e )
1514  {
1515  ZYPP_CAUGHT( e );
1516  WAR << "Skipping package " << p << " in commit" << endl;
1517  step->stepStage( sat::Transaction::STEP_ERROR );
1518  continue;
1519  }
1520  catch ( const Exception &e )
1521  {
1522  // bnc #395704: missing catch causes abort.
1523  // TODO see if packageCache fails to handle errors correctly.
1524  ZYPP_CAUGHT( e );
1525  INT << "Unexpected Error: Skipping package " << p << " in commit" << endl;
1526  step->stepStage( sat::Transaction::STEP_ERROR );
1527  continue;
1528  }
1529 
1530 #warning Exception handling
1531  // create a installation progress report proxy
1532  RpmInstallPackageReceiver progress( citem.resolvable() );
1533  progress.connect(); // disconnected on destruction.
1534 
1535  bool success = false;
1536  rpm::RpmInstFlags flags( policy_r.rpmInstFlags() & rpm::RPMINST_JUSTDB );
1537  // Why force and nodeps?
1538  //
1539  // Because zypp builds the transaction and the resolver asserts that
1540  // everything is fine.
1541  // We use rpm just to unpack and register the package in the database.
1542  // We do this step by step, so rpm is not aware of the bigger context.
1543  // So we turn off rpms internal checks, because we do it inside zypp.
1544  flags |= rpm::RPMINST_NODEPS;
1545  flags |= rpm::RPMINST_FORCE;
1546  //
1547  if (p->multiversionInstall()) flags |= rpm::RPMINST_NOUPGRADE;
1548  if (policy_r.dryRun()) flags |= rpm::RPMINST_TEST;
1549  if (policy_r.rpmExcludeDocs()) flags |= rpm::RPMINST_EXCLUDEDOCS;
1550  if (policy_r.rpmNoSignature()) flags |= rpm::RPMINST_NOSIGNATURE;
1551 
1552  attemptToModify();
1553  try
1554  {
1556  if ( postTransCollector.collectScriptFromPackage( localfile ) )
1557  flags |= rpm::RPMINST_NOPOSTTRANS;
1558  rpm().installPackage( localfile, flags );
1559  HistoryLog().install(citem);
1560 
1561  if ( progress.aborted() )
1562  {
1563  WAR << "commit aborted by the user" << endl;
1564  localfile.resetDispose(); // keep the package file in the cache
1565  abort = true;
1566  step->stepStage( sat::Transaction::STEP_ERROR );
1567  break;
1568  }
1569  else
1570  {
1571  if ( citem.isNeedreboot() ) {
1572  auto rebootNeededFile = root() / "/var/run/reboot-needed";
1573  if ( filesystem::assert_file( rebootNeededFile ) == EEXIST)
1574  filesystem::touch( rebootNeededFile );
1575  }
1576 
1577  success = true;
1578  step->stepStage( sat::Transaction::STEP_DONE );
1579  }
1580  }
1581  catch ( Exception & excpt_r )
1582  {
1583  ZYPP_CAUGHT(excpt_r);
1584  localfile.resetDispose(); // keep the package file in the cache
1585 
1586  if ( policy_r.dryRun() )
1587  {
1588  WAR << "dry run failed" << endl;
1589  step->stepStage( sat::Transaction::STEP_ERROR );
1590  break;
1591  }
1592  // else
1593  if ( progress.aborted() )
1594  {
1595  WAR << "commit aborted by the user" << endl;
1596  abort = true;
1597  }
1598  else
1599  {
1600  WAR << "Install failed" << endl;
1601  }
1602  step->stepStage( sat::Transaction::STEP_ERROR );
1603  break; // stop
1604  }
1605 
1606  if ( success && !policy_r.dryRun() )
1607  {
1609  successfullyInstalledPackages.push_back( citem.satSolvable() );
1610  step->stepStage( sat::Transaction::STEP_DONE );
1611  }
1612  }
1613  else
1614  {
1615  RpmRemovePackageReceiver progress( citem.resolvable() );
1616  progress.connect(); // disconnected on destruction.
1617 
1618  bool success = false;
1619  rpm::RpmInstFlags flags( policy_r.rpmInstFlags() & rpm::RPMINST_JUSTDB );
1620  flags |= rpm::RPMINST_NODEPS;
1621  if (policy_r.dryRun()) flags |= rpm::RPMINST_TEST;
1622 
1623  attemptToModify();
1624  try
1625  {
1626  rpm().removePackage( p, flags );
1627  HistoryLog().remove(citem);
1628 
1629  if ( progress.aborted() )
1630  {
1631  WAR << "commit aborted by the user" << endl;
1632  abort = true;
1633  step->stepStage( sat::Transaction::STEP_ERROR );
1634  break;
1635  }
1636  else
1637  {
1638  success = true;
1639  step->stepStage( sat::Transaction::STEP_DONE );
1640  }
1641  }
1642  catch (Exception & excpt_r)
1643  {
1644  ZYPP_CAUGHT( excpt_r );
1645  if ( progress.aborted() )
1646  {
1647  WAR << "commit aborted by the user" << endl;
1648  abort = true;
1649  step->stepStage( sat::Transaction::STEP_ERROR );
1650  break;
1651  }
1652  // else
1653  WAR << "removal of " << p << " failed";
1654  step->stepStage( sat::Transaction::STEP_ERROR );
1655  }
1656  if ( success && !policy_r.dryRun() )
1657  {
1659  step->stepStage( sat::Transaction::STEP_DONE );
1660  }
1661  }
1662  }
1663  else if ( ! policy_r.dryRun() ) // other resolvables (non-Package)
1664  {
1665  // Status is changed as the buddy package buddy
1666  // gets installed/deleted. Handle non-buddies only.
1667  if ( ! citem.buddy() )
1668  {
1669  if ( citem->isKind<Product>() )
1670  {
1671  Product::constPtr p = citem->asKind<Product>();
1672  if ( citem.status().isToBeInstalled() )
1673  {
1674  ERR << "Can't install orphan product without release-package! " << citem << endl;
1675  }
1676  else
1677  {
1678  // Deleting the corresponding product entry is all we con do.
1679  // So the product will no longer be visible as installed.
1680  std::string referenceFilename( p->referenceFilename() );
1681  if ( referenceFilename.empty() )
1682  {
1683  ERR << "Can't remove orphan product without 'referenceFilename'! " << citem << endl;
1684  }
1685  else
1686  {
1687  Pathname referencePath { Pathname("/etc/products.d") / referenceFilename }; // no root prefix for rpmdb lookup!
1688  if ( ! rpm().hasFile( referencePath.asString() ) )
1689  {
1690  // If it's not owned by a package, we can delete it.
1691  referencePath = Pathname::assertprefix( _root, referencePath ); // now add a root prefix
1692  if ( filesystem::unlink( referencePath ) != 0 )
1693  ERR << "Delete orphan product failed: " << referencePath << endl;
1694  }
1695  else
1696  {
1697  WAR << "Won't remove orphan product: '/etc/products.d/" << referenceFilename << "' is owned by a package." << endl;
1698  }
1699  }
1700  }
1701  }
1702  else if ( citem->isKind<SrcPackage>() && citem.status().isToBeInstalled() )
1703  {
1704  // SrcPackage is install-only
1705  SrcPackage::constPtr p = citem->asKind<SrcPackage>();
1706  installSrcPackage( p );
1707  }
1708 
1710  step->stepStage( sat::Transaction::STEP_DONE );
1711  }
1712 
1713  } // other resolvables
1714 
1715  } // for
1716 
1717  // process all remembered posttrans scripts. If aborting,
1718  // at least log omitted scripts.
1719  if ( abort || (abort = !postTransCollector.executeScripts()) )
1720  postTransCollector.discardScripts();
1721 
1722  // Check presence of update scripts/messages. If aborting,
1723  // at least log omitted scripts.
1724  if ( ! successfullyInstalledPackages.empty() )
1725  {
1726  if ( ! RunUpdateScripts( _root, ZConfig::instance().update_scriptsPath(),
1727  successfullyInstalledPackages, abort ) )
1728  {
1729  WAR << "Commit aborted by the user" << endl;
1730  abort = true;
1731  }
1732  // send messages after scripts in case some script generates output,
1733  // that should be kept in t %ghost message file.
1734  RunUpdateMessages( _root, ZConfig::instance().update_messagesPath(),
1735  successfullyInstalledPackages,
1736  result_r );
1737  }
1738 
1739  // jsc#SLE-5116: Log patch status changes to history
1740  // NOTE: Should be the last action as it may need to reload
1741  // the Target in case of an incomplete transaction.
1742  logPatchStatusChanges( result_r.transaction(), *this );
1743 
1744  if ( abort )
1745  {
1746  HistoryLog().comment( "Commit was aborted." );
1748  }
1749  }
1750 
1752 
1754  {
1755  return _rpm;
1756  }
1757 
1758  bool TargetImpl::providesFile (const std::string & path_str, const std::string & name_str) const
1759  {
1760  return _rpm.hasFile(path_str, name_str);
1761  }
1762 
1764  namespace
1765  {
1766  parser::ProductFileData baseproductdata( const Pathname & root_r )
1767  {
1769  PathInfo baseproduct( Pathname::assertprefix( root_r, "/etc/products.d/baseproduct" ) );
1770 
1771  if ( baseproduct.isFile() )
1772  {
1773  try
1774  {
1775  ret = parser::ProductFileReader::scanFile( baseproduct.path() );
1776  }
1777  catch ( const Exception & excpt )
1778  {
1779  ZYPP_CAUGHT( excpt );
1780  }
1781  }
1782  else if ( PathInfo( Pathname::assertprefix( root_r, "/etc/products.d" ) ).isDir() )
1783  {
1784  ERR << "baseproduct symlink is dangling or missing: " << baseproduct << endl;
1785  }
1786  return ret;
1787  }
1788 
1789  inline Pathname staticGuessRoot( const Pathname & root_r )
1790  {
1791  if ( root_r.empty() )
1792  {
1793  // empty root: use existing Target or assume "/"
1794  Pathname ret ( ZConfig::instance().systemRoot() );
1795  if ( ret.empty() )
1796  return Pathname("/");
1797  return ret;
1798  }
1799  return root_r;
1800  }
1801 
1802  inline std::string firstNonEmptyLineIn( const Pathname & file_r )
1803  {
1804  std::ifstream idfile( file_r.c_str() );
1805  for( iostr::EachLine in( idfile ); in; in.next() )
1806  {
1807  std::string line( str::trim( *in ) );
1808  if ( ! line.empty() )
1809  return line;
1810  }
1811  return std::string();
1812  }
1813  } // namespace
1815 
1817  {
1818  ResPool pool(ResPool::instance());
1819  for_( it, pool.byKindBegin<Product>(), pool.byKindEnd<Product>() )
1820  {
1821  Product::constPtr p = (*it)->asKind<Product>();
1822  if ( p->isTargetDistribution() )
1823  return p;
1824  }
1825  return nullptr;
1826  }
1827 
1829  {
1830  const Pathname needroot( staticGuessRoot(root_r) );
1831  const Target_constPtr target( getZYpp()->getTarget() );
1832  if ( target && target->root() == needroot )
1833  return target->requestedLocales();
1834  return RequestedLocalesFile( home(needroot) / "RequestedLocales" ).locales();
1835  }
1836 
1838  {
1839  MIL << "updateAutoInstalled if changed..." << endl;
1840  SolvIdentFile::Data newdata;
1841  for ( auto id : sat::Pool::instance().autoInstalled() )
1842  newdata.insert( IdString(id) ); // explicit ctor!
1843  _autoInstalledFile.setData( std::move(newdata) );
1844  }
1845 
1847  { return baseproductdata( _root ).registerTarget(); }
1848  // static version:
1849  std::string TargetImpl::targetDistribution( const Pathname & root_r )
1850  { return baseproductdata( staticGuessRoot(root_r) ).registerTarget(); }
1851 
1853  { return baseproductdata( _root ).registerRelease(); }
1854  // static version:
1855  std::string TargetImpl::targetDistributionRelease( const Pathname & root_r )
1856  { return baseproductdata( staticGuessRoot(root_r) ).registerRelease();}
1857 
1859  { return baseproductdata( _root ).registerFlavor(); }
1860  // static version:
1861  std::string TargetImpl::targetDistributionFlavor( const Pathname & root_r )
1862  { return baseproductdata( staticGuessRoot(root_r) ).registerFlavor();}
1863 
1865  {
1867  parser::ProductFileData pdata( baseproductdata( _root ) );
1868  ret.shortName = pdata.shortName();
1869  ret.summary = pdata.summary();
1870  return ret;
1871  }
1872  // static version:
1874  {
1876  parser::ProductFileData pdata( baseproductdata( staticGuessRoot(root_r) ) );
1877  ret.shortName = pdata.shortName();
1878  ret.summary = pdata.summary();
1879  return ret;
1880  }
1881 
1883  {
1884  if ( _distributionVersion.empty() )
1885  {
1887  if ( !_distributionVersion.empty() )
1888  MIL << "Remember distributionVersion = '" << _distributionVersion << "'" << endl;
1889  }
1890  return _distributionVersion;
1891  }
1892  // static version
1893  std::string TargetImpl::distributionVersion( const Pathname & root_r )
1894  {
1895  std::string distributionVersion = baseproductdata( staticGuessRoot(root_r) ).edition().version();
1896  if ( distributionVersion.empty() )
1897  {
1898  // ...But the baseproduct method is not expected to work on RedHat derivatives.
1899  // On RHEL, Fedora and others the "product version" is determined by the first package
1900  // providing 'system-release'. This value is not hardcoded in YUM and can be configured
1901  // with the $distroverpkg variable.
1902  scoped_ptr<rpm::RpmDb> tmprpmdb;
1903  if ( ZConfig::instance().systemRoot() == Pathname() )
1904  {
1905  try
1906  {
1907  tmprpmdb.reset( new rpm::RpmDb );
1908  tmprpmdb->initDatabase( /*default ctor uses / but no additional keyring exports */ );
1909  }
1910  catch( ... )
1911  {
1912  return "";
1913  }
1914  }
1917  distributionVersion = it->tag_version();
1918  }
1919  return distributionVersion;
1920  }
1921 
1922 
1924  {
1925  return firstNonEmptyLineIn( home() / "LastDistributionFlavor" );
1926  }
1927  // static version:
1928  std::string TargetImpl::distributionFlavor( const Pathname & root_r )
1929  {
1930  return firstNonEmptyLineIn( staticGuessRoot(root_r) / "/var/lib/zypp/LastDistributionFlavor" );
1931  }
1932 
1934  namespace
1935  {
1936  std::string guessAnonymousUniqueId( const Pathname & root_r )
1937  {
1938  // bsc#1024741: Omit creating a new uid for chrooted systems (if it already has one, fine)
1939  std::string ret( firstNonEmptyLineIn( root_r / "/var/lib/zypp/AnonymousUniqueId" ) );
1940  if ( ret.empty() && root_r != "/" )
1941  {
1942  // if it has nonoe, use the outer systems one
1943  ret = firstNonEmptyLineIn( "/var/lib/zypp/AnonymousUniqueId" );
1944  }
1945  return ret;
1946  }
1947  }
1948 
1949  std::string TargetImpl::anonymousUniqueId() const
1950  {
1951  return guessAnonymousUniqueId( root() );
1952  }
1953  // static version:
1954  std::string TargetImpl::anonymousUniqueId( const Pathname & root_r )
1955  {
1956  return guessAnonymousUniqueId( staticGuessRoot(root_r) );
1957  }
1958 
1960 
1961  void TargetImpl::installSrcPackage( const SrcPackage_constPtr & srcPackage_r )
1962  {
1963  // provide on local disk
1964  ManagedFile localfile = provideSrcPackage(srcPackage_r);
1965  // create a installation progress report proxy
1966  RpmInstallPackageReceiver progress( srcPackage_r );
1967  progress.connect(); // disconnected on destruction.
1968  // install it
1969  rpm().installPackage ( localfile );
1970  }
1971 
1972  ManagedFile TargetImpl::provideSrcPackage( const SrcPackage_constPtr & srcPackage_r )
1973  {
1974  // provide on local disk
1975  repo::RepoMediaAccess access_r;
1976  repo::SrcPackageProvider prov( access_r );
1977  return prov.provideSrcPackage( srcPackage_r );
1978  }
1980  } // namespace target
1983 } // namespace zypp
static bool fileMissing(const Pathname &pathname)
helper functor
Definition: TargetImpl.cc:809
std::string asJSON() const
JSON representation.
Definition: Json.h:344
ZYppCommitResult commit(ResPool pool_r, const ZYppCommitPolicy &policy_r)
Commit changes in the pool.
Definition: TargetImpl.cc:1185
EstablishedStates::ChangedPseudoInstalled ChangedPseudoInstalled
Map holding pseudo installed items where current and established status differ.
Definition: ResPool.h:341
int assert_dir(const Pathname &path, unsigned mode)
Like &#39;mkdir -p&#39;.
Definition: PathInfo.cc:320
Interface to gettext.
Interface to the rpm program.
Definition: RpmDb.h:47
Product interface.
Definition: Product.h:32
#define MIL
Definition: Logger.h:79
sat::Transaction getTransaction()
Return the Transaction computed by the last solver run.
Definition: Resolver.cc:74
bool upgradingRepos() const
Whether there is at least one UpgradeRepo request pending.
Definition: Resolver.cc:136
A Solvable object within the sat Pool.
Definition: Solvable.h:53
const std::string & command() const
The command we&#39;re executing.
std::vector< sat::Transaction::Step > TransactionStepList
Save and restore locale set from file.
Alternating download and install.
Definition: DownloadMode.h:32
ZYppCommitPolicy & rpmNoSignature(bool yesNo_r)
Use rpm option –nosignature (default: false)
const LocaleSet & getRequestedLocales() const
Return the requested locales.
Definition: ResPool.cc:130
ManagedFile provideSrcPackage(const SrcPackage_constPtr &srcPackage_r) const
Provide SrcPackage in a local file.
int assert_file(const Pathname &path, unsigned mode)
Create an empty file if it does not yet exist.
Definition: PathInfo.cc:1136
[M] Install(multiversion) item (
Definition: Transaction.h:67
unsigned splitEscaped(const C_Str &line_r, TOutputIterator result_r, const C_Str &sepchars_r=" \, bool withEmpty=false)
Split line_r into words with respect to escape delimeters.
Definition: String.h:591
bool solvfilesPathIsTemp() const
Whether we&#39;re using a temp.
Definition: TargetImpl.h:96
std::string asString(const DefaultIntegral< Tp, TInitial > &obj)
#define ZYPP_THROW(EXCPT)
Drops a logline and throws the Exception.
Definition: Exception.h:392
Solvable satSolvable() const
Return the corresponding Solvable.
Definition: Transaction.h:243
Result returned from ZYpp::commit.
void updateFileContent(const Pathname &filename, boost::function< bool()> condition, boost::function< std::string()> value)
updates the content of filename if condition is true, setting the content the the value returned by v...
Definition: TargetImpl.cc:774
static ZConfig & instance()
Singleton ctor.
Definition: Resolver.cc:126
bool isToBeInstalled() const
Definition: ResStatus.h:253
void addSolv(const Pathname &file_r)
Load Solvables from a solv-file.
Definition: Repository.cc:320
std::string md5sum(const Pathname &file)
Compute a files md5sum.
Definition: PathInfo.cc:977
Command frame for communication with PluginScript.
Definition: PluginFrame.h:40
bool findByProvides(const std::string &tag_r)
Reset to iterate all packages that provide a certain tag.
Definition: librpmDb.cc:732
int readlink(const Pathname &symlink_r, Pathname &target_r)
Like &#39;readlink&#39;.
Definition: PathInfo.cc:877
void setData(const Data &data_r)
Store new Data.
Definition: SolvIdentFile.h:69
IMPL_PTR_TYPE(TargetImpl)
SolvIdentFile _autoInstalledFile
user/auto installed database
Definition: TargetImpl.h:216
detail::IdType value_type
Definition: Queue.h:38
Architecture.
Definition: Arch.h:36
static ProductFileData scanFile(const Pathname &file_r)
Parse one file (or symlink) and return the ProductFileData parsed.
String matching (STRING|SUBSTRING|GLOB|REGEX).
Definition: StrMatcher.h:297
TargetImpl(const Pathname &root_r="/", bool doRebuild_r=false)
Ctor.
Definition: TargetImpl.cc:745
void stampCommand()
Log info about the current process.
Definition: HistoryLog.cc:220
Target::commit helper optimizing package provision.
bool isNeedreboot() const
Definition: SolvableType.h:83
ZYppCommitPolicy & rpmInstFlags(target::rpm::RpmInstFlags newFlags_r)
The default target::rpm::RpmInstFlags.
TransactionStepList & rTransactionStepList()
Manipulate transactionStepList.
Regular Expression.
Definition: StrMatcher.h:48
const sat::Transaction & transaction() const
The full transaction list.
void discardScripts()
Discard all remembered scrips.
StepStage stepStage() const
Step action result.
Definition: Transaction.cc:391
const Pathname & file() const
Return the file path.
Definition: SolvIdentFile.h:46
#define INT
Definition: Logger.h:83
int chmod(const Pathname &path, mode_t mode)
Like &#39;chmod&#39;.
Definition: PathInfo.cc:1045
ResStatus & status() const
Returns the current status.
Definition: PoolItem.cc:204
void installPackage(const Pathname &filename, RpmInstFlags flags=RPMINST_NONE)
install rpm package
Definition: RpmDb.cc:1597
ZYppCommitPolicy & dryRun(bool yesNo_r)
Set dry run (default: false).
byKind_iterator byKindBegin(const ResKind &kind_r) const
Definition: ResPool.h:261
void updateAutoInstalled()
Update the database of autoinstalled packages.
Definition: TargetImpl.cc:1837
ZYppCommitPolicy & rpmExcludeDocs(bool yesNo_r)
Use rpm option –excludedocs (default: false)
const char * c_str() const
String representation.
Definition: Pathname.h:110
std::string _distributionVersion
Cache distributionVersion.
Definition: TargetImpl.h:220
void commitFindFileConflicts(const ZYppCommitPolicy &policy_r, ZYppCommitResult &result_r)
Commit helper checking for file conflicts after download.
Parallel execution of stateful PluginScripts.
void setData(const Data &data_r)
Store new Data.
Definition: HardLocksFile.h:73
void setAutoInstalled(const Queue &autoInstalled_r)
Set ident list of all autoinstalled solvables.
Definition: Pool.cc:265
sat::Solvable buddy() const
Return the buddy we share our status object with.
Definition: PoolItem.cc:206
Access to the sat-pools string space.
Definition: IdString.h:41
Libsolv transaction wrapper.
Definition: Transaction.h:51
#define for_(IT, BEG, END)
Convenient for-loops using iterator.
Definition: Easy.h:28
Pathname path() const
Definition: TmpPath.cc:146
Edition represents [epoch:]version[-release]
Definition: Edition.h:60
Attempts to create a lock to prevent the system from going into hibernate/shutdown.
std::string receiveLine()
Read one line from the input stream.
bool resetTransact(TransactByValue causer_r)
Not the same as setTransact( false ).
Definition: ResStatus.h:485
Similar to DownloadInAdvance, but try to split the transaction into heaps, where at the end of each h...
Definition: DownloadMode.h:29
bool providesFile(const std::string &path_str, const std::string &name_str) const
If the package is installed and provides the file Needed to evaluate split provides during Resolver::...
Definition: TargetImpl.cc:1758
TraitsType::constPtrType constPtr
Definition: Product.h:38
const_iterator end() const
Iterator behind the last TransactionStep.
Definition: Transaction.cc:343
Provide a new empty temporary file and delete it when no longer needed.
Definition: TmpPath.h:127
unsigned epoch_t
Type of an epoch.
Definition: Edition.h:64
void writeUpgradeTestcase()
Definition: TargetImpl.cc:284
std::string form(const char *format,...) __attribute__((format(printf
Printf style construction of std::string.
Definition: String.cc:36
static RepoStatus fromCookieFile(const Pathname &path)
Reads the status from a cookie file.
Definition: RepoStatus.cc:121
Class representing a patch.
Definition: Patch.h:37
void installSrcPackage(const SrcPackage_constPtr &srcPackage_r)
Install a source package on the Target.
Definition: TargetImpl.cc:1961
std::string targetDistributionFlavor() const
This is register.flavor attribute of the installed base product.
Definition: TargetImpl.cc:1858
void install(const PoolItem &pi)
Log installation (or update) of a package.
Definition: HistoryLog.cc:232
ResObject::constPtr resolvable() const
Returns the ResObject::constPtr.
Definition: PoolItem.cc:218
#define ERR
Definition: Logger.h:81
JSON object.
Definition: Json.h:321
ChangedPseudoInstalled changedPseudoInstalled() const
Return all pseudo installed items whose current state differs from their initial one.
Definition: ResPool.h:349
std::vector< std::string > Arguments
std::string targetDistributionRelease() const
This is register.release attribute of the installed base product.
Definition: TargetImpl.cc:1852
Define a set of Solvables by ident and provides.
Definition: SolvableSpec.h:44
Extract and remember posttrans scripts for later execution.
Subclass to retrieve database content.
Definition: librpmDb.h:322
void remember(const Exception &old_r)
Store an other Exception as history.
Definition: Exception.cc:105
EstablishedStates establishedStates() const
Factory for EstablishedStates.
Definition: ResPool.cc:76
rpm::RpmDb _rpm
RPM database.
Definition: TargetImpl.h:212
Repository systemRepo()
Return the system repository, create it if missing.
Definition: Pool.cc:178
std::string distributionVersion() const
This is version attribute of the installed base product.
Definition: TargetImpl.cc:1882
const LocaleSet & locales() const
Return the loacale set.
void createLastDistributionFlavorCache() const
generates a cache of the last product flavor
Definition: TargetImpl.cc:836
void initRequestedLocales(const LocaleSet &locales_r)
Start tracking changes based on this locales_r.
Definition: Pool.cc:251
void saveToCookieFile(const Pathname &path_r) const
Save the status information to a cookie file.
Definition: RepoStatus.cc:139
StringQueue autoInstalled() const
Return the ident strings of all packages that would be auto-installed after the transaction is run...
Definition: Transaction.cc:358
LocaleSet requestedLocales() const
Languages to be supported by the system.
Definition: TargetImpl.h:157
[ ] Nothing (includes implicit deletes due to obsoletes and non-package actions)
Definition: Transaction.h:64
bool empty() const
Test for an empty path.
Definition: Pathname.h:114
int addmod(const Pathname &path, mode_t mode)
Add the mode bits to the file given by path.
Definition: PathInfo.cc:1054
void push(value_type val_r)
Push a value to the end off the Queue.
Definition: Queue.cc:103
std::string getline(std::istream &str)
Read one line from stream.
Definition: IOStream.cc:33
std::string toJSON(void)
Definition: Json.h:136
const StrMatcher & matchNoDots()
Convenience returning StrMatcher( "[^.]*", Match::GLOB )
Definition: PathInfo.cc:536
Store and operate on date (time_t).
Definition: Date.h:32
SolvableIterator solvablesEnd() const
Iterator behind the last Solvable.
Definition: Repository.cc:241
static Pool instance()
Singleton ctor.
Definition: Pool.h:55
const Data & data() const
Return the data.
Definition: SolvIdentFile.h:53
std::string version() const
Version.
Definition: Edition.cc:94
Pathname _root
Path to the target.
Definition: TargetImpl.h:210
std::string rpmDbStateHash(const Pathname &root_r)
Definition: TargetImpl.cc:73
Execute a program and give access to its io An object of this class encapsulates the execution of an ...
std::string trim(const std::string &s, const Trim trim_r)
Definition: String.cc:223
int unlink(const Pathname &path)
Like &#39;unlink&#39;.
Definition: PathInfo.cc:653
static const std::string & systemRepoAlias()
Reserved system repository alias .
Definition: Pool.cc:46
bool collectScriptFromPackage(ManagedFile rpmPackage_r)
Extract and remember a packages posttrans script for later execution.
static const Pathname & fname()
Get the current log file path.
Definition: HistoryLog.cc:179
bool executeScripts()
Execute the remembered scripts.
const std::string & asString() const
String representation.
Definition: Pathname.h:91
void send(const PluginFrame &frame_r)
Send PluginFrame to all open plugins.
int rename(const Pathname &oldpath, const Pathname &newpath)
Like &#39;rename&#39;.
Definition: PathInfo.cc:695
Just download all packages to the local cache.
Definition: DownloadMode.h:25
Options and policies for ZYpp::commit.
bool isExist() const
Return whether valid stat info exists.
Definition: PathInfo.h:281
libzypp will decide what to do.
Definition: DownloadMode.h:24
A single step within a Transaction.
Definition: Transaction.h:218
Package interface.
Definition: Package.h:32
ZYppCommitPolicy & downloadMode(DownloadMode val_r)
Commit download policy to use.
void parseFrom(const InputStream &istr_r)
Parse file istr_r and add it&#39;s specs (one per line, #-comments).
RequestedLocalesFile _requestedLocalesFile
Requested Locales database.
Definition: TargetImpl.h:214
void setLocales(const LocaleSet &locales_r)
Store a new locale set.
Pathname rootDir() const
Get rootdir (for file conflicts check)
Definition: Pool.cc:64
void getHardLockQueries(HardLockQueries &activeLocks_r)
Suggest a new set of queries based on the current selection.
Definition: ResPool.cc:106
Pathname dirname() const
Return all but the last component od this path.
Definition: Pathname.h:124
static Pathname assertprefix(const Pathname &root_r, const Pathname &path_r)
Return path_r prefixed with root_r, unless it is already prefixed.
Definition: Pathname.cc:235
int recursive_rmdir(const Pathname &path)
Like &#39;rm -r DIR&#39;.
Definition: PathInfo.cc:413
ChangedPseudoInstalled changedPseudoInstalled() const
Return all pseudo installed items whose current state differs from the established one...
Definition: PoolImpl.cc:26
std::string release() const
Release.
Definition: Edition.cc:110
Interim helper class to collect global options and settings.
Definition: ZConfig.h:59
#define WAR
Definition: Logger.h:80
SolvableIterator solvablesBegin() const
Iterator to the first Solvable.
Definition: Repository.cc:231
bool startsWith(const C_Str &str_r, const C_Str &prefix_r)
alias for hasPrefix
Definition: String.h:1081
bool order()
Order transaction steps for commit.
Definition: Transaction.cc:328
Pathname solvfilesPath() const
The solv file location actually in use (default or temp).
Definition: TargetImpl.h:92
void updateSolvFileIndex(const Pathname &solvfile_r)
Create solv file content digest for zypper bash completion.
Definition: Pool.cc:286
std::string targetDistribution() const
This is register.target attribute of the installed base product.
Definition: TargetImpl.cc:1846
Resolver & resolver() const
The Resolver.
Definition: ResPool.cc:61
Writing the zypp history fileReference counted signleton for writhing the zypp history file...
Definition: HistoryLog.h:56
TraitsType::constPtrType constPtr
Definition: Patch.h:43
JSON array.
Definition: Json.h:256
void initDatabase(Pathname root_r=Pathname(), bool doRebuild_r=false)
Prepare access to the rpm database at /var/lib/rpm.
Definition: RpmDb.cc:263
#define _(MSG)
Definition: Gettext.h:37
void closeDatabase()
Block further access to the rpm database and go back to uninitialized state.
Definition: RpmDb.cc:358
ZYppCommitPolicy & restrictToMedia(unsigned mediaNr_r)
Restrict commit to media 1.
std::list< PoolItem > PoolItemList
list of pool items
Definition: TargetImpl.h:59
std::string anonymousUniqueId() const
anonymous unique id
Definition: TargetImpl.cc:1949
const Pathname & _root
Definition: RepoManager.cc:143
static PoolImpl & myPool()
Definition: PoolImpl.cc:176
RepoStatus rpmDbRepoStatus(const Pathname &root_r)
Definition: TargetImpl.cc:91
std::string toLower(const std::string &s)
Return lowercase version of s.
Definition: String.cc:177
Pathname home() const
The directory to store things.
Definition: TargetImpl.h:120
int touch(const Pathname &path)
Change file&#39;s modification and access times.
Definition: PathInfo.cc:1187
static std::string generateRandomId()
generates a random id using uuidgen
Definition: TargetImpl.cc:763
void resetDispose()
Set no dispose function.
Definition: AutoDispose.h:162
Provides files from different repos.
ManagedFile get(const PoolItem &citem_r)
Provide a package.
HardLocksFile _hardLocksFile
Hard-Locks database.
Definition: TargetImpl.h:218
SolvableIdType size_type
Definition: PoolMember.h:126
static void setRoot(const Pathname &root)
Set new root directory to the default history log file path.
Definition: HistoryLog.cc:163
int close()
Wait for the progamm to complete.
byKind_iterator byKindEnd(const ResKind &kind_r) const
Definition: ResPool.h:268
void setHardLockQueries(const HardLockQueries &newLocks_r)
Set a new set of queries.
Definition: ResPool.cc:103
#define SUBST_IF(PAT, VAL)
std::list< UpdateNotificationFile > UpdateNotifications
Libsolv Id queue wrapper.
Definition: Queue.h:34
#define ZYPP_CAUGHT(EXCPT)
Drops a logline telling the Exception was caught (in order to handle it).
Definition: Exception.h:396
int readdir(std::list< std::string > &retlist_r, const Pathname &path_r, bool dots_r)
Return content of directory via retlist.
Definition: PathInfo.cc:589
SrcPackage interface.
Definition: SrcPackage.h:29
bool upgradeMode() const
Definition: Resolver.cc:97
Global ResObject pool.
Definition: ResPool.h:60
Product::constPtr baseProduct() const
returns the target base installed product, also known as the distribution or platform.
Definition: TargetImpl.cc:1816
void createAnonymousId() const
generates the unique anonymous id which is called when creating the target
Definition: TargetImpl.cc:814
ZYppCommitPolicy & allMedia()
Process all media (default)
const_iterator begin() const
Iterator to the first TransactionStep.
Definition: Transaction.cc:337
pool::PoolTraits::HardLockQueries Data
Definition: HardLocksFile.h:41
void add(const Value &val_r)
Push JSON Value to Array.
Definition: Json.h:271
StepType stepType() const
Type of action to perform in this step.
Definition: Transaction.cc:388
const Data & data() const
Return the data.
Definition: HardLocksFile.h:57
Base class for Exception.
Definition: Exception.h:145
bool preloaded() const
Whether preloaded hint is set.
void load(const Pathname &path_r)
Find and launch plugins sending PLUGINBEGIN.
Data returned by ProductFileReader.
static Date now()
Return the current time.
Definition: Date.h:78
std::string asJSON() const
JSON representation.
Definition: Json.h:279
void remove(const PoolItem &pi)
Log removal of a package.
Definition: HistoryLog.cc:260
callback::SendReport< DownloadProgressReport > * report
Definition: MediaCurl.cc:70
void removePackage(const std::string &name_r, RpmInstFlags flags=RPMINST_NONE)
remove rpm package
Definition: RpmDb.cc:1792
epoch_t epoch() const
Epoch.
Definition: Edition.cc:82
std::string distroverpkg() const
Package telling the "product version" on systems not using /etc/product.d/baseproduct.
Definition: ZConfig.cc:1182
Pathname root() const
The root set for this target.
Definition: TargetImpl.h:116
void setNeedrebootSpec(sat::SolvableSpec needrebootSpec_r)
Solvables which should trigger the reboot-needed hint if installed/updated.
Definition: Pool.cc:267
virtual ~TargetImpl()
Dtor.
Definition: TargetImpl.cc:872
Reference counted access to a Tp object calling a custom Dispose function when the last AutoDispose h...
Definition: AutoDispose.h:92
void eraseFromPool()
Remove this Repository from it&#39;s Pool.
Definition: Repository.cc:297
Global sat-pool.
Definition: Pool.h:46
bool hasFile(const std::string &file_r, const std::string &name_r="") const
Return true if at least one package owns a certain file (name_r empty) Return true if package name_r ...
Definition: RpmDb.cc:969
void comment(const std::string &comment, bool timestamp=false)
Log a comment (even multiline).
Definition: HistoryLog.cc:188
TraitsType::constPtrType constPtr
Definition: SrcPackage.h:36
Wrapper class for ::stat/::lstat.
Definition: PathInfo.h:220
int dirForEach(const Pathname &dir_r, function< bool(const Pathname &, const char *const)> fnc_r)
Invoke callback function fnc_r for each entry in directory dir_r.
Definition: PathInfo.cc:542
bool solvablesEmpty() const
Whether Repository contains solvables.
Definition: Repository.cc:219
ResObject::Ptr makeResObject(const sat::Solvable &solvable_r)
Create ResObject from sat::Solvable.
Definition: ResObject.cc:43
sat::Transaction & rTransaction()
Manipulate transaction.
Combining sat::Solvable and ResStatus.
Definition: PoolItem.h:50
Pathname systemRoot() const
The target root directory.
Definition: ZConfig.cc:830
ManagedFile provideSrcPackage(const SrcPackage_constPtr &srcPackage_r)
Provides a source package on the Target.
Definition: TargetImpl.cc:1972
static TmpFile makeSibling(const Pathname &sibling_r)
Provide a new empty temporary directory as sibling.
Definition: TmpPath.cc:218
Target::DistributionLabel distributionLabel() const
This is shortName and summary attribute of the installed base product.
Definition: TargetImpl.cc:1864
Track changing files or directories.
Definition: RepoStatus.h:38
std::string asString() const
Conversion to std::string
Definition: IdString.h:91
bool isKind(const ResKind &kind_r) const
Definition: SolvableType.h:64
const std::string & asString() const
Definition: Arch.cc:485
void XRunUpdateMessages(const Pathname &root_r, const Pathname &messagesPath_r, const std::vector< sat::Solvable > &checkPackages_r, ZYppCommitResult &result_r)
Definition: TargetImpl.cc:730
std::string distributionFlavor() const
This is flavor attribute of the installed base product but does not require the target to be loaded a...
Definition: TargetImpl.cc:1923
size_type solvablesSize() const
Number of solvables in Repository.
Definition: Repository.cc:225
Easy-to use interface to the ZYPP dependency resolver.
Definition: CodePitfalls.doc:1
std::unordered_set< IdString > Data
Definition: SolvIdentFile.h:37
Pathname defaultSolvfilesPath() const
The systems default solv file location.
Definition: TargetImpl.cc:885
#define idstr(V)
Solvable satSolvable() const
Return the corresponding sat::Solvable.
Definition: SolvableType.h:57
void add(const String &key_r, const Value &val_r)
Add key/value pair.
Definition: Json.h:336
bool hasPrefix(const C_Str &str_r, const C_Str &prefix_r)
Return whether str_r has prefix prefix_r.
Definition: String.h:1023
void setCommitList(std::vector< sat::Solvable > commitList_r)
Download(commit) sequence of solvables to compute read ahead.
bool empty() const
Whether this is an empty object without valid data.
std::unordered_set< Locale > LocaleSet
Definition: Locale.h:27
TrueBool _guard
Definition: TargetImpl.cc:1458
rpm::RpmDb & rpm()
The RPM database.
Definition: TargetImpl.cc:1753
TraitsType::constPtrType constPtr
Definition: Package.h:38
#define DBG
Definition: Logger.h:78
ZYppCommitResult & _result
Definition: TargetImpl.cc:1459
static ResPool instance()
Singleton ctor.
Definition: ResPool.cc:37
void load(bool force=true)
Definition: TargetImpl.cc:1051