Bug 369296. Zen/Security issue. Adding global config setting support.

This commit is contained in:
Jim Norman 2008-04-01 21:06:24 +00:00
parent e9c094ab27
commit 04fb478810
4 changed files with 547 additions and 375 deletions

View File

@ -38,81 +38,37 @@ namespace sscs.common
{ {
#if W32 #if W32
private static string CASA_REG_KEY = "SOFTWARE\\Novell\\CASA"; private static string CASA_REG_KEY = "SOFTWARE\\Novell\\CASA";
private static bool IsRegKeySet(string sPath, string sValue)
{
Microsoft.Win32.RegistryKey key;
try
{
key = Microsoft.Win32.Registry.LocalMachine.OpenSubKey(sPath);
int iValue = (int)key.GetValue(sValue);
key.Close();
if (iValue > 0)
{
return true;
}
}
catch (Exception e)
{
}
return false;
}
internal static void SetAllowDesktopAccess()
{
// create a reg key
System.Diagnostics.Trace.WriteLine("CASA installer: SetAllowDesktopAccess start");
try
{
Microsoft.Win32.RegistryKey key;
key = Microsoft.Win32.Registry.LocalMachine.CreateSubKey(CASA_REG_KEY);
key.SetValue("CacheDesktopPassword", 1, Microsoft.Win32.RegistryValueKind.DWord);
key.Close();
}
catch (Exception e)
{
System.Diagnostics.Trace.WriteLine(e.ToString());
}
System.Diagnostics.Trace.WriteLine("CASA installer: SetAllowDesktopAccess done");
}
internal static void RemoveGlobalCASASettings()
{
// Delete CASA settings
try
{
Microsoft.Win32.Registry.LocalMachine.DeleteSubKeyTree(CASA_REG_KEY);
}
catch (Exception e)
{
System.Diagnostics.Debug.WriteLine(e.ToString());
}
}
#endif #endif
public static bool StoreDesktopPasswordInCache() public static bool StoreDesktopPasswordInCache()
{ {
#if LINUX if (Config.GetGlobalConfigSetting("CacheDesktopPassword", "false").Equals("true"))
return true; {
#else return true;
return IsRegKeySet(CASA_REG_KEY, "CacheDesktopPassword"); }
#endif else
{
return false;
}
} }
public static bool UseMasterPassword() public static bool UseMasterPassword()
{ {
#if LINUX if (Config.GetGlobalConfigSetting("UserMasterPassword", "false").Equals("true"))
return true; {
#else return true;
//return false; }
return IsRegKeySet(CASA_REG_KEY, "UseMasterPassword"); else
#endif {
return false;
}
} }
public static bool IsFileOwnedByRoot(string filePath) public static bool IsFileOwnedByRoot(string filePath)

View File

@ -0,0 +1,216 @@
using System;
using System.Text;
using System.Collections;
using System.Collections.Specialized;
using System.IO;
using System.Xml;
using System.Xml.Serialization;
using sscs.constants;
namespace sscs.common
{
class Config
{
private static string CASA_REG_KEY = "SOFTWARE\\Novell\\CASA";
private static NameValueCollection m_nvc;
public Config()
{
LoadConfigSettings();
}
public static void SetGlobalConfigSetting(string sName, string sValue)
{
if (m_nvc == null)
{
m_nvc = new NameValueCollection();
}
m_nvc.Set(sName, sValue);
}
public static string GetGlobalConfigSetting(string sName)
{
return GetGlobalConfigSetting(sName, null);
}
public static string GetGlobalConfigSetting(string sName, string sDefaultValue)
{
string sValue = null;
if (m_nvc == null)
{
LoadConfigSettings();
}
if (m_nvc != null)
{
sValue = m_nvc.Get(sName);
}
if (sValue == null)
{
ReadRegSetting(sName);
sValue = sDefaultValue;
}
return sValue;
}
public static void WriteGlobalConfig()
{
#if LINUX
XmlDocument doc = new XmlDocument();
AppendToDoc(doc);
XmlTextWriter writer = new XmlTextWriter(GetGlobalConfPath(), null);
writer.Formatting = Formatting.Indented;
doc.Save(writer);
writer.Close();
#else
// Write to windows registry
for (int i = 0; i < m_nvc.Count; i++)
{
WriteRegSetting(m_nvc.GetKey(i), m_nvc.GetValues(i)[0]);
}
#endif
}
#if W32
internal static void SetAllowDesktopAccess()
{
// create a reg key
System.Diagnostics.Trace.WriteLine("CASA installer: SetAllowDesktopAccess start");
WriteRegSetting("CacheDesktopPassword", "true");
System.Diagnostics.Trace.WriteLine("CASA installer: SetAllowDesktopAccess done");
}
internal static void WriteRegSetting(string sSubKey, string sValue)
{
try
{
Microsoft.Win32.RegistryKey key;
key = Microsoft.Win32.Registry.LocalMachine.CreateSubKey(CASA_REG_KEY);
key.SetValue(sSubKey, sValue, Microsoft.Win32.RegistryValueKind.String);
key.Close();
}
catch (Exception e)
{
System.Diagnostics.Trace.WriteLine(e.ToString());
}
}
internal static string ReadRegSetting(string sSubKey)
{
string sValue = null;
try
{
Microsoft.Win32.RegistryKey key;
key = Microsoft.Win32.Registry.LocalMachine.OpenSubKey(CASA_REG_KEY);
if (key != null)
{
sValue = (string)key.GetValue(sSubKey);
}
key.Close();
}
catch
{
}
return sValue;
}
#endif
internal static void RemoveGlobalCASASettings()
{
#if W32
// Delete CASA settings
try
{
Microsoft.Win32.Registry.LocalMachine.DeleteSubKeyTree(CASA_REG_KEY);
}
catch (Exception e)
{
System.Diagnostics.Debug.WriteLine(e.ToString());
}
#endif
}
internal static string GetGlobalConfPath()
{
#if LINUX
// Does directory exist?
if (!Directory.Exists(ConstStrings.SSCS_LINUX_GLOBAL_CONF_PATH))
{
Directory.CreateDirectory(ConstStrings.SSCS_LINUX_GLOBAL_CONF_PATH);
}
return ConstStrings.SSCS_LINUX_GLOBAL_CONF_PATH + ConstStrings.SSCS_GLOBAL_CONF_FILE;
#else
return ConstStrings.SSCS_GLOBAL_CONF_FILE;
#endif
}
internal static void AppendToDoc(XmlDocument doc)
{
try{
XmlElement configElem = doc.CreateElement("ConfigSettings");
doc.AppendChild(configElem);
for (int i = 0; i < m_nvc.Count; i++)
{
XmlElement settingElem = doc.CreateElement("Setting");
configElem.AppendChild(settingElem);
XmlElement nameElem = doc.CreateElement("Name");
nameElem.InnerText = m_nvc.GetKey(i);
settingElem.AppendChild(nameElem);
XmlElement valueElem = doc.CreateElement("Value");
valueElem.InnerXml = m_nvc.GetValues(i)[0];
settingElem.AppendChild(valueElem);
}
}
catch (Exception)
{
//Console.WriteLine(e.ToString());
}
}
internal static void LoadConfigSettings()
{
string sGlobalConfPath = GetGlobalConfPath();
if (File.Exists(sGlobalConfPath))
{
XmlDocument doc = new XmlDocument();
doc.Load(sGlobalConfPath);
// Load config settings
System.Collections.Specialized.NameValueCollection nvc = new System.Collections.Specialized.NameValueCollection();
XmlNode configNode = doc.SelectSingleNode("//ConfigSettings");
if (configNode != null)
{
XmlNodeList nodeList = configNode.ChildNodes;
XmlNode setting;
for (int i = 0; i < nodeList.Count; i++)
{
setting = nodeList[i];
XmlNode nameNode = setting.SelectSingleNode("Name");
XmlNode valueNode = setting.SelectSingleNode("Value");
nvc.Add(nameNode.InnerText, valueNode.InnerText);
}
}
if (nvc.Count > 0)
{
m_nvc = nvc;
}
}
}
}
}

View File

@ -102,8 +102,10 @@ namespace sscs.constants
//TBD , Need to look at Novell standard for the desktop //TBD , Need to look at Novell standard for the desktop
internal static string SSCS_LINUX_ENGINELOG = "/var/log/localmessages"; internal static string SSCS_LINUX_ENGINELOG = "/var/log/localmessages";
internal static string SSCS_LINUX_DEBUGLOG = "/var/log/micasad_debug.log"; internal static string SSCS_LINUX_DEBUGLOG = "/var/log/micasad_debug.log";
internal static string SSCS_LINUX_PIDFILE = "/var/run/micasad.pid"; internal static string SSCS_LINUX_PIDFILE = "/var/run/micasad.pid";
internal static string SSCS_LINUX_GLOBAL_CONF_PATH = "/etc/opt/novell/micasa/";
internal static string SSCS_GLOBAL_CONF_FILE = "micasad.conf.xml";
internal static bool STATUS = true; internal static bool STATUS = true;
internal static bool DEBUG = false; internal static bool DEBUG = false;

View File

@ -20,317 +20,315 @@
* *
***********************************************************************/ ***********************************************************************/
using System; using System;
using System.Threading; using System.Threading;
using System.Collections; using System.Collections;
using System.ComponentModel; using System.ComponentModel;
using System.Data; using System.Data;
using System.Diagnostics; using System.Diagnostics;
using System.ServiceProcess; using System.ServiceProcess;
using System.Configuration.Install ; using System.Configuration.Install ;
using sscs.communication;
using sscs.constants;
using sscs.common;
using sscs.winforms;
namespace sscs.init
{
public class WinSecretStoreClientService : System.ServiceProcess.ServiceBase
{
/// <summary>
/// Required designer variable.
/// </summary>
private System.ComponentModel.Container components = null;
private static Communication server;
private static Thread listeningThread;
public static string sServiceName = "Novell Identity Store";
public WinSecretStoreClientService()
{
// This call is required by the Windows.Forms Component Designer.
InitializeComponent();
// TODO: Add any initialization after the InitComponent call
}
#region Component Designer generated code
/// <summary>
/// Required method for Designer support - do not modify
/// the contents of this method with the code editor.
/// </summary>
private void InitializeComponent()
{
//
// SecretStoreClientService
//
this.CanHandlePowerEvent = true;
this.ServiceName = "SecretStoreService";
}
#endregion
/// <summary>
/// Clean up any resources being used.
/// </summary>
protected override void Dispose( bool disposing )
{
if( disposing )
{
if (components != null)
{
components.Dispose();
}
}
base.Dispose( disposing );
}
[STAThreadAttribute]
static void Main(string[] args)
{
string opt = null ;
if ( args.Length > 0)
{
opt = args [0];
}
foreach (string arg in args)
{
System.Diagnostics.Debug.WriteLine("arg: " + arg);
}
if (opt != null && opt.ToLower() == "/hookclient")
{
CredMgr.Install("hookclient");
return;
}
else if (opt != null && opt.ToLower() == "/install")
{
stopService();
uninstallService();
CredMgr.Uninstall();
CredMgr.Install(null);
installService();
startService();
return;
}
else if (opt != null && opt.ToLower() == "/uninstall")
{
stopService();
uninstallService();
CredMgr.Uninstall();
CSSSUtils.RemoveGlobalCASASettings();
return;
}
else if (opt != null && opt.ToLower() == "/allowdesktopaccess")
{
CSSSUtils.SetAllowDesktopAccess();
return;
}
using sscs.communication;
using sscs.constants;
using sscs.common;
using sscs.winforms;
namespace sscs.init
{
public class WinSecretStoreClientService : System.ServiceProcess.ServiceBase
{
/// <summary>
/// Required designer variable.
/// </summary>
private System.ComponentModel.Container components = null;
private static Communication server;
private static Thread listeningThread;
public static string sServiceName = "Novell Identity Store";
public WinSecretStoreClientService()
{
// This call is required by the Windows.Forms Component Designer.
InitializeComponent();
// TODO: Add any initialization after the InitComponent call
}
#region Component Designer generated code
/// <summary>
/// Required method for Designer support - do not modify
/// the contents of this method with the code editor.
/// </summary>
private void InitializeComponent()
{
//
// SecretStoreClientService
//
this.CanHandlePowerEvent = true;
this.ServiceName = "SecretStoreService";
}
#endregion
/// <summary>
/// Clean up any resources being used.
/// </summary>
protected override void Dispose( bool disposing )
{
if( disposing )
{
if (components != null)
{
components.Dispose();
}
}
base.Dispose( disposing );
}
[STAThreadAttribute]
static void Main(string[] args)
{
string opt = null ;
if ( args.Length > 0)
{
opt = args [0];
}
foreach (string arg in args)
{
System.Diagnostics.Debug.WriteLine("arg: " + arg);
}
if (opt != null && opt.ToLower() == "/hookclient")
{
CredMgr.Install("hookclient");
return;
}
else if (opt != null && opt.ToLower() == "/install")
{
stopService();
uninstallService();
CredMgr.Uninstall();
CredMgr.Install(null);
installService();
startService();
return;
}
else if (opt != null && opt.ToLower() == "/uninstall")
{
stopService();
uninstallService();
CredMgr.Uninstall();
Config.RemoveGlobalCASASettings();
return;
}
else if (opt != null && opt.ToLower() == "/allowdesktopaccess")
{
Config.SetAllowDesktopAccess();
return;
}
if (opt != null if (opt != null
&& (opt.ToLower() == "/standalone" || opt.ToLower() == "/s")) && (opt.ToLower() == "/standalone" || opt.ToLower() == "/s"))
{ {
MainInternal(args); MainInternal(args);
} }
else else
{ {
System.ServiceProcess.ServiceBase[] ServicesToRun; System.ServiceProcess.ServiceBase[] ServicesToRun;
// More than one user Service may run within the same process. To add // More than one user Service may run within the same process. To add
// another service to this process, change the following line to // another service to this process, change the following line to
// create a second service object. For example, // create a second service object. For example,
// //
// ServicesToRun = new System.ServiceProcess.ServiceBase[] {new Service1(), new MySecondUserService()}; // ServicesToRun = new System.ServiceProcess.ServiceBase[] {new Service1(), new MySecondUserService()};
// //
ServicesToRun = new System.ServiceProcess.ServiceBase[] { new WinSecretStoreClientService() }; ServicesToRun = new System.ServiceProcess.ServiceBase[] { new WinSecretStoreClientService() };
System.ServiceProcess.ServiceBase.Run(ServicesToRun); System.ServiceProcess.ServiceBase.Run(ServicesToRun);
} }
} }
private static void installService() private static void installService()
{ {
TransactedInstaller ti = new TransactedInstaller (); TransactedInstaller ti = new TransactedInstaller ();
ProjectInstaller mi = new ProjectInstaller (); ProjectInstaller mi = new ProjectInstaller ();
ti.Installers.Add (mi); ti.Installers.Add (mi);
String path = String.Format ("/assemblypath={0}", String path = String.Format ("/assemblypath={0}",
System.Reflection.Assembly.GetExecutingAssembly ().Location); System.Reflection.Assembly.GetExecutingAssembly ().Location);
String[] cmdline = {path}; String[] cmdline = {path};
InstallContext ctx = new InstallContext ("", cmdline ); InstallContext ctx = new InstallContext ("", cmdline );
ti.Context = ctx; ti.Context = ctx;
try try
{ {
ti.Install ( new Hashtable ()); ti.Install ( new Hashtable ());
} }
catch (Exception e) catch (Exception e)
{ {
System.Diagnostics.Debug.WriteLine(e.ToString()); System.Diagnostics.Debug.WriteLine(e.ToString());
} }
} }
private static void uninstallService() private static void uninstallService()
{ {
// kill all running versions of CASA manager // kill all running versions of CASA manager
Process[] proc = System.Diagnostics.Process.GetProcessesByName("CASAManager"); Process[] proc = System.Diagnostics.Process.GetProcessesByName("CASAManager");
for (int i = 0; i < proc.Length; i++) for (int i = 0; i < proc.Length; i++)
{ {
try try
{ {
proc[i].Kill(); proc[i].Kill();
} }
catch { } catch { }
} }
TransactedInstaller ti = new TransactedInstaller (); TransactedInstaller ti = new TransactedInstaller ();
ProjectInstaller mi = new ProjectInstaller (); ProjectInstaller mi = new ProjectInstaller ();
ti.Installers.Add (mi); ti.Installers.Add (mi);
String path = String.Format ("/assemblypath={0}", String path = String.Format ("/assemblypath={0}",
System.Reflection.Assembly.GetExecutingAssembly ().Location); System.Reflection.Assembly.GetExecutingAssembly ().Location);
String[] cmdline = {path}; String[] cmdline = {path};
InstallContext ctx = new InstallContext ("", cmdline ); InstallContext ctx = new InstallContext ("", cmdline );
ti.Context = ctx; ti.Context = ctx;
try try
{ {
ti.Uninstall ( null ); ti.Uninstall ( null );
} }
catch (Exception e) catch (Exception e)
{ {
System.Diagnostics.Debug.WriteLine(e.ToString()); System.Diagnostics.Debug.WriteLine(e.ToString());
} }
} }
private static void stopService() private static void stopService()
{ {
ServiceController[] services=ServiceController.GetServices(); ServiceController[] services=ServiceController.GetServices();
foreach(ServiceController x in services) foreach(ServiceController x in services)
{ {
if(x.DisplayName.Equals(sServiceName)) if(x.DisplayName.Equals(sServiceName))
{ {
if (x.Status==System.ServiceProcess.ServiceControllerStatus.Running) if (x.Status==System.ServiceProcess.ServiceControllerStatus.Running)
{ {
x.Stop(); x.Stop();
} }
} }
} }
} }
private static void startService() private static void startService()
{ {
ServiceController[] services=ServiceController.GetServices(); ServiceController[] services=ServiceController.GetServices();
// Iterating each service to check that if a service named // Iterating each service to check that if a service named
// 'Novell Identity Store' is found then check that its status whether // 'Novell Identity Store' is found then check that its status whether
// it is running or stopped. If found running then it will // it is running or stopped. If found running then it will
// stop that service; else it starts that service // stop that service; else it starts that service
foreach(ServiceController x in services) foreach(ServiceController x in services)
{ {
if(x.DisplayName.Equals(sServiceName)) if(x.DisplayName.Equals(sServiceName))
{ {
CSSSLogger.DbgLog("Checking service: " + x.DisplayName); CSSSLogger.DbgLog("Checking service: " + x.DisplayName);
if (x.Status==System.ServiceProcess.ServiceControllerStatus.Stopped) if (x.Status==System.ServiceProcess.ServiceControllerStatus.Stopped)
{ {
try try
{ {
x.Start(); x.Start();
} }
catch (Exception e) catch (Exception e)
{ {
System.Diagnostics.Trace.WriteLine(e.ToString()); System.Diagnostics.Trace.WriteLine(e.ToString());
System.Diagnostics.Trace.WriteLine(e.StackTrace.ToString()); System.Diagnostics.Trace.WriteLine(e.StackTrace.ToString());
} }
} }
} }
} }
} }
/// <summary> /// <summary>
/// Set things in motion so your service can do its work. /// Set things in motion so your service can do its work.
/// </summary> /// </summary>
/// ///
protected override void OnStart(string[] args) protected override void OnStart(string[] args)
{ {
AcquireLock(); AcquireLock();
server = CommunicationFactory.CreateCommunicationEndPoint(); server = CommunicationFactory.CreateCommunicationEndPoint();
listeningThread = new Thread(new ThreadStart(StartServer)); listeningThread = new Thread(new ThreadStart(StartServer));
listeningThread.Start(); listeningThread.Start();
//listeningThread.Join(); //listeningThread.Join();
} }
/// <summary> /// <summary>
/// Stop this service. /// Stop this service.
/// </summary> /// </summary>
protected override void OnStop() protected override void OnStop()
{ {
listeningThread.Abort(); listeningThread.Abort();
} }
/* The thread which listens and spawns threads on every accept /* The thread which listens and spawns threads on every accept
* starts its execution from this method. * starts its execution from this method.
*/ */
private static void StartServer() private static void StartServer()
{ {
server.StartCommunicationEndPoint(); server.StartCommunicationEndPoint();
} }
/* This ensures that there is only one instance of /* This ensures that there is only one instance of
* SSCS at any point. * SSCS at any point.
*/ */
private static int AcquireLock() private static int AcquireLock()
{ {
return RetCodes.SUCCESS; return RetCodes.SUCCESS;
} }
private static void MainInternal(string[] args) private static void MainInternal(string[] args)
{ {
CSSSLogger.ExecutionTrace(System.Reflection.MethodBase.GetCurrentMethod().DeclaringType); CSSSLogger.ExecutionTrace(System.Reflection.MethodBase.GetCurrentMethod().DeclaringType);
try try
{ {
int retVal = AcquireLock(); int retVal = AcquireLock();
if( retVal != RetCodes.SUCCESS ) if( retVal != RetCodes.SUCCESS )
{ {
CSSSLogger.DbgLog("Acquiring lock failed. Terminating CSSS."); CSSSLogger.DbgLog("Acquiring lock failed. Terminating CSSS.");
// Terminate(); // Terminate();
} }
// RegisterAtExit(); // RegisterAtExit();
CSSSLogger.DbgLog("Client Side SecretStore Service has started."); CSSSLogger.DbgLog("Client Side SecretStore Service has started.");
if (true) if (true)
{ {
System.Windows.Forms.Application.Run(new MiCasaForm(args)); System.Windows.Forms.Application.Run(new MiCasaForm(args));
System.Windows.Forms.Application.Exit(); System.Windows.Forms.Application.Exit();
} }
else else
{ {
server = CommunicationFactory.CreateCommunicationEndPoint(); server = CommunicationFactory.CreateCommunicationEndPoint();
listeningThread = new Thread(new ThreadStart(StartServer)); listeningThread = new Thread(new ThreadStart(StartServer));
listeningThread.Start(); listeningThread.Start();
listeningThread.Join(); listeningThread.Join();
} }
} }
catch(Exception) catch(Exception)
{ {
// Terminate(); // Terminate();
} }
} }
/* The thread which listens and spawns threads on every accept /* The thread which listens and spawns threads on every accept
* starts its execution from this method. * starts its execution from this method.
*/ */
} }
} }