검색결과 리스트
c#에 해당되는 글 50건
- 2013.06.19 [.Net] Thread Pool
- 2013.06.12 [C#] ref, out의 차이
- 2013.04.22 [.Net] TransactedInstaller
- 2013.04.20 [.Net] Changing Start Mode of a Windows Service
- 2013.04.19 [.Net] Mutex 클래스
- 2013.04.18 [.Net] ServiceController
- 2013.04.17 [.Net] Windows 서비스 만들기
- 2013.04.12 [.Net] HTTP POST/WebClient (C#) and CSV formated string
- 2013.03.13 [WinForm] OpenFileDialog
- 2013.03.13 [.Net] RSA 암호화
- 2013.02.22 [WinForm] 서브클래스에서 OnPaint가 안될때...
- 2013.02.19 [.Net] EXE를 포함한 외부 DLL을 같이 배포하기
- 2013.02.10 [JSON.net] Json.Net
- 2013.02.08 [C#] Mutex를 통한 다중 인스턴스 실행방지
- 2013.01.30 [C#] Visual Studio TODO 만들기
- 2013.01.28 [C#] Form close와 Dispose
- 2013.01.23 [.Net] Castle DynamicProxy Tutorial
- 2013.01.15 [.Net] CodeDomProvider
- 2013.01.15 [C#] 정적 생성자 (static 멤버 초기화)
- 2013.01.15 [C#] Assemble.load
- 2013.01.14 [Visual Studio 2010] C# 선언할때 공백 제거 문제
- 2013.01.09 [C#] C# as 연산자
- 2013.01.09 [.Net] 웹 자동화 구현 클래스
- 2013.01.08 [C#] StackTrace
- 2013.01.07 [.Net] pinvoke.net
- 2013.01.04 [C#] DllImportAttribut 멤버
- 2012.12.29 [COM] WebBrowser Customization
- 2012.04.16 [.Net] IPC
- 2012.04.14 [C#] Visual C# 메소드를 비동기로 호출하는 방법
- 2012.04.13 [XtraGrid] Online Document
글
링크 : http://msdn.microsoft.com/ko-kr/library/3dasc8as(v=vs.80).aspx
using System;
using System.Threading;public class Fibonacci
{
public Fibonacci(int n, ManualResetEvent doneEvent)
{
_n = n;
_doneEvent = doneEvent;
}// Wrapper method for use with thread pool.
public void ThreadPoolCallback(Object threadContext)
{
int threadIndex = (int)threadContext;
Console.WriteLine("thread {0} started...", threadIndex);
_fibOfN = Calculate(_n);
Console.WriteLine("thread {0} result calculated...", threadIndex);
_doneEvent.Set();
}// Recursive method that calculates the Nth Fibonacci number.
public int Calculate(int n)
{
if (n <= 1)
{
return n;
}return Calculate(n - 1) + Calculate(n - 2);
}public int N { get { return _n; } }
private int _n;public int FibOfN { get { return _fibOfN; } }
private int _fibOfN;private ManualResetEvent _doneEvent;
}public class ThreadPoolExample
{
static void Main()
{
const int FibonacciCalculations = 10;// One event is used for each Fibonacci object
ManualResetEvent[] doneEvents = new ManualResetEvent[FibonacciCalculations];
Fibonacci[] fibArray = new Fibonacci[FibonacciCalculations];
Random r = new Random();// Configure and launch threads using ThreadPool:
Console.WriteLine("launching {0} tasks...", FibonacciCalculations);
for (int i = 0; i < FibonacciCalculations; i++)
{
doneEvents[i] = new ManualResetEvent(false);
Fibonacci f = new Fibonacci(r.Next(20,40), doneEvents[i]);
fibArray[i] = f;
ThreadPool.QueueUserWorkItem(f.ThreadPoolCallback, i);
}// Wait for all threads in pool to calculation...
WaitHandle.WaitAll(doneEvents);
Console.WriteLine("All calculations are complete.");// Display the results...
for (int i= 0; i<FibonacciCalculations; i++)
{
Fibonacci f = fibArray[i];
Console.WriteLine("Fibonacci({0}) = {1}", f.N, f.FibOfN);
}
}
}
'.Net > .Net' 카테고리의 다른 글
[.Net] Regular Expression Quick Reference (0) | 2013.09.12 |
---|---|
[.Net] 런타임에서 어셈블리를 찾는 방법 (0) | 2013.05.20 |
[.Net] 닷넷프레임워크 버전 확인 (0) | 2013.05.10 |
[.Net] TransactedInstaller (0) | 2013.04.22 |
[.Net] Windows Service Current Directory (0) | 2013.04.20 |
트랙백
댓글
글
'.Net > C#' 카테고리의 다른 글
[C#] Linq for xml tutorial (0) | 2013.05.23 |
---|---|
[C#] XML Serialize Tutorial (0) | 2013.05.08 |
[C#] Mutex를 통한 다중 인스턴스 실행방지 (0) | 2013.02.08 |
[C#] Visual Studio TODO 만들기 (0) | 2013.01.30 |
[C#] Form close와 Dispose (0) | 2013.01.28 |
트랙백
댓글
글
TransactedInstaller 를 사용하면은 Installutil.exe(설치 관리자 도구)의 구현과 유사한 구현을 제공 할수 있다.
ArrayList myOptions = new ArrayList();
String myOption;
bool toUnInstall = false;
bool toPrintHelp = false;
TransactedInstaller myTransactedInstaller = new TransactedInstaller();
AssemblyInstaller myAssemblyInstaller;
InstallContext myInstallContext;
try
{
for(int i = 0; i < args.Length; i++)
{
// Process the arguments.
if(args[i].StartsWith("/") || args[i].StartsWith("-"))
{
myOption = args[i].Substring(1);
// Determine whether the option is to 'uninstall' an assembly.
if(String.Compare(myOption, "u", true) == 0 ||
String.Compare(myOption, "uninstall", true) == 0)
{
toUnInstall = true;
continue;
}
// Determine whether the option is for printing help information.
if(String.Compare(myOption, "?", true) == 0 ||
String.Compare(myOption, "help", true) == 0)
{
toPrintHelp = true;
continue;
}
// Add the option encountered to the list of all options
// encountered for the current assembly.
myOptions.Add(myOption);
}
else
{
// Determine whether the assembly file exists.
if(!File.Exists(args[i]))
{
// If assembly file doesn't exist then print error.
Console.WriteLine("\nError : {0} - Assembly file doesn't exist.",
args[i]);
return;
}
// Create a instance of 'AssemblyInstaller' that installs the given assembly.
myAssemblyInstaller =
new AssemblyInstaller(args[i],
(string[]) myOptions.ToArray(typeof(string)));
// Add the instance of 'AssemblyInstaller' to the 'TransactedInstaller'.
myTransactedInstaller.Installers.Add(myAssemblyInstaller);
}
}
// If user requested help or didn't provide any assemblies to install
// then print help message.
if(toPrintHelp || myTransactedInstaller.Installers.Count == 0)
{
PrintHelpMessage();
return;
}
// Create a instance of 'InstallContext' with the options specified.
myInstallContext =
new InstallContext("Install.log",
(string[]) myOptions.ToArray(typeof(string)));
myTransactedInstaller.Context = myInstallContext;
// Install or Uninstall an assembly depending on the option provided.
if(!toUnInstall)
myTransactedInstaller.Install(new Hashtable());
else
myTransactedInstaller.Uninstall(null);
}
catch(Exception e)
{
Console.WriteLine("\nException raised : {0}", e.Message);
}
참고 : http://www.devpia.com/Maeul/Contents/Detail.aspx?BoardID=18&MAEULNO=8&no=1971&page=2
MFC C++쓸땐 Self 서비스 등록 코드를 썼는데
C#에서는 InstallUtil.exe를 써야 하는데
InstallUtil.exe이 패스에 안걸려 있으면 찾아서 써야 하니 귀찮기도 하구 해서
아침에 삽질 삽질 하다가.. 거의 포기하려는 순간에 찾았네요.
서비스로 만드는 법은 뭐 간단하니 아실거구.
서비스 인스톨러도 추가해 놓으심 되구요..
그 다음에 Main을 아래와 같이 넣어서 고쳐 쓰심 됩니다.
/install 과 /uninstall 로 서비스에 넣었다 뺏다 합니다.
ServiceMain은 내가 만든 서비스 실행 클래스 일 뿐이구요
추가 하셔서 일반에서 서비스를 선택하시면 됩니다.
[STAThread]
static void Main(string[] args)
{
if (args.Length == 1)
{
try
{
using (TransactedInstaller ti = new TransactedInstaller())
{
using (ProjectInstaller pi = new ProjectInstaller())
{
ti.Installers.Add(pi);string[] cmdline = { string.Format("/assemblypath={0}", System.Reflection.Assembly.GetExecutingAssembly().Location) };
pi.Context = new InstallContext(null, cmdline);
if (args[0].ToLower() == "/install")
pi.Install(new Hashtable());
else if (args[0].ToLower() == "/uninstall")
pi.Uninstall(null);
else
throw new Exception("Invalid command line");
}
}
}
catch (Exception ex)
{
Console.Error.WriteLine(ex.Message);
}
}
else
{
System.ServiceProcess.ServiceBase[] ServicesToRun;
ServicesToRun = new System.ServiceProcess.ServiceBase[] { new ServiceMain() };
System.ServiceProcess.ServiceBase.Run(ServicesToRun);
}
}
'.Net > .Net' 카테고리의 다른 글
[.Net] 런타임에서 어셈블리를 찾는 방법 (0) | 2013.05.20 |
---|---|
[.Net] 닷넷프레임워크 버전 확인 (0) | 2013.05.10 |
[.Net] Windows Service Current Directory (0) | 2013.04.20 |
[.Net] Changing Start Mode of a Windows Service (0) | 2013.04.20 |
[.Net] Mutex 클래스 (0) | 2013.04.19 |
트랙백
댓글
글
참고 : http://peterkellyonline.blogspot.kr/2011/04/configuring-windows-service.html
결국 어플리 케이션을 디테일하게 컨트롤 할려면 .Net에서 WinApi를 호출해야 한다는 결론
위 Url참고 하여 GetStartMode메소드 추가
public static class ServiceHelper
{
[DllImport("advapi32.dll", CharSet = CharSet.Unicode, SetLastError = true)]
public static extern Boolean ChangeServiceConfig(
IntPtr hService,
UInt32 nServiceType,
UInt32 nStartType,
UInt32 nErrorControl,
String lpBinaryPathName,
String lpLoadOrderGroup,
IntPtr lpdwTagId,
[In] char[] lpDependencies,
String lpServiceStartName,
String lpPassword,
String lpDisplayName);[DllImport("advapi32.dll", SetLastError = true, CharSet = CharSet.Auto)]
static extern IntPtr OpenService(
IntPtr hSCManager, string lpServiceName, uint dwDesiredAccess);[DllImport("advapi32.dll", EntryPoint = "OpenSCManagerW", ExactSpelling = true, CharSet = CharSet.Unicode, SetLastError = true)]
public static extern IntPtr OpenSCManager(
string machineName, string databaseName, uint dwAccess);[DllImport("advapi32.dll", EntryPoint = "CloseServiceHandle")]
public static extern int CloseServiceHandle(IntPtr hSCObject);[DllImport("advapi32.dll", CharSet=CharSet.Unicode, SetLastError=true)]
public static extern Boolean QueryServiceConfig(IntPtr hService, IntPtr intPtrQueryConfig, UInt32 cbBufSize, out UInt32 pcbBytesNeeded);[DllImport( "advapi32.dll", CharSet = CharSet.Unicode, SetLastError = true, EntryPoint = "QueryServiceConfig2W" )]
public static extern Boolean QueryServiceConfig2( IntPtr hService, UInt32 dwInfoLevel, IntPtr buffer, UInt32 cbBufSize, out UInt32 pcbBytesNeeded );
private const uint SERVICE_NO_CHANGE = 0xFFFFFFFF;
private const uint SERVICE_QUERY_CONFIG = 0x00000001;
private const uint SERVICE_CHANGE_CONFIG = 0x00000002;
private const uint SC_MANAGER_ALL_ACCESS = 0x000F003F;[StructLayout(LayoutKind.Sequential)]
public class QUERY_SERVICE_CONFIG
{
[MarshalAs(System.Runtime.InteropServices.UnmanagedType.U4)]
public UInt32 dwServiceType;
[MarshalAs(System.Runtime.InteropServices.UnmanagedType.U4)]
public UInt32 dwStartType;
[MarshalAs(System.Runtime.InteropServices.UnmanagedType.U4)]
public UInt32 dwErrorControl;
[MarshalAs(System.Runtime.InteropServices.UnmanagedType.LPWStr)]
public String lpBinaryPathName;
[MarshalAs(System.Runtime.InteropServices.UnmanagedType.LPWStr)]
public String lpLoadOrderGroup;
[MarshalAs(System.Runtime.InteropServices.UnmanagedType.U4)]
public UInt32 dwTagID;
[MarshalAs(System.Runtime.InteropServices.UnmanagedType.LPWStr)]
public String lpDependencies;
[MarshalAs(System.Runtime.InteropServices.UnmanagedType.LPWStr)]
public String lpServiceStartName;
[MarshalAs(System.Runtime.InteropServices.UnmanagedType.LPWStr)]
public String lpDisplayName;
};public static void ChangeStartMode(ServiceController svc, ServiceStartMode mode)
{
var scManagerHandle = OpenSCManager(null, null, SC_MANAGER_ALL_ACCESS);
if (scManagerHandle == IntPtr.Zero)
{
throw new ExternalException("Open Service Manager Error");
}var serviceHandle = OpenService(
scManagerHandle,
svc.ServiceName,
SERVICE_QUERY_CONFIG | SERVICE_CHANGE_CONFIG);if (serviceHandle == IntPtr.Zero)
{
throw new ExternalException("Open Service Error");
}var result = ChangeServiceConfig(
serviceHandle,
SERVICE_NO_CHANGE,
(uint)mode,
SERVICE_NO_CHANGE,
null,
null,
IntPtr.Zero,
null,
null,
null,
null);if (result == false)
{
int nError = Marshal.GetLastWin32Error();
var win32Exception = new Win32Exception(nError);
throw new ExternalException("Could not change service start type: "
+ win32Exception.Message);
}CloseServiceHandle(serviceHandle);
CloseServiceHandle(scManagerHandle);
}/// <summary>
/// Automatic = 2, Manual = 3, Disabled = 4
/// </summary>
/// <param name="svc"></param>
/// <returns></returns>
public static uint GetStartMode(ServiceController svc)
{
var scManagerHandle = OpenSCManager(null, null, SC_MANAGER_ALL_ACCESS);
if (scManagerHandle == IntPtr.Zero)
{
throw new ExternalException("Open Service Manager Error");
}var serviceHandle = OpenService(
scManagerHandle,
svc.ServiceName,
SERVICE_QUERY_CONFIG);if (serviceHandle == IntPtr.Zero)
{
throw new ExternalException("Open Service Error");
}UInt32 dwBytesNeeded = 0;
IntPtr ptr = Marshal.AllocHGlobal(4096);// Allocate memory for struct.bool result = QueryServiceConfig(
serviceHandle,
ptr,
4096,
out dwBytesNeeded);QUERY_SERVICE_CONFIG qUERY_SERVICE_CONFIG = new QUERY_SERVICE_CONFIG();
Marshal.PtrToStructure(ptr, qUERY_SERVICE_CONFIG);// Copy;
Marshal.FreeHGlobal(ptr);if (result == false)
{
int nError = Marshal.GetLastWin32Error();
var win32Exception = new Win32Exception(nError);
throw new ExternalException("Could not QueryServiceConfig : "
+ win32Exception.Message);
}CloseServiceHandle(serviceHandle);
CloseServiceHandle(scManagerHandle);return qUERY_SERVICE_CONFIG.dwStartType;
}
}
var svc = new ServiceController("BITS");
ServiceHelper.ChangeStartMode(svc, ServiceStartMode.Automatic);// You can then Start the service if necessary.
if (svc.Status != ServiceControllerStatus.Running)
{
svc.Start();
}// And of course you should close the service when no longer needed
svc.Close();
'.Net > .Net' 카테고리의 다른 글
[.Net] TransactedInstaller (0) | 2013.04.22 |
---|---|
[.Net] Windows Service Current Directory (0) | 2013.04.20 |
[.Net] Mutex 클래스 (0) | 2013.04.19 |
[.Net] ServiceController (0) | 2013.04.18 |
[.Net] Windows 서비스 만들기 (0) | 2013.04.17 |
트랙백
댓글
글
Mutex : http://msdn.microsoft.com/ko-kr/library/01985e8f(v=vs.100).aspx
WaitHandle : http://msdn.microsoft.com/ko-kr/library/system.threading.waithandle(v=vs.100).aspx
'.Net > .Net' 카테고리의 다른 글
[.Net] Windows Service Current Directory (0) | 2013.04.20 |
---|---|
[.Net] Changing Start Mode of a Windows Service (0) | 2013.04.20 |
[.Net] ServiceController (0) | 2013.04.18 |
[.Net] Windows 서비스 만들기 (0) | 2013.04.17 |
[.Net] HTTP POST/WebClient (C#) and CSV formated string (0) | 2013.04.12 |
트랙백
댓글
글
'.Net > .Net' 카테고리의 다른 글
[.Net] Changing Start Mode of a Windows Service (0) | 2013.04.20 |
---|---|
[.Net] Mutex 클래스 (0) | 2013.04.19 |
[.Net] Windows 서비스 만들기 (0) | 2013.04.17 |
[.Net] HTTP POST/WebClient (C#) and CSV formated string (0) | 2013.04.12 |
[.Net] RSA 암호화 (0) | 2013.03.13 |
트랙백
댓글
글
* 연습 : 구성 요소 디자이너에서 Windows 서비스 응용 프로그램 만들기
링크 : http://msdn.microsoft.com/ko-kr/library/zt39148a(VS.80).aspx
* 방법 : Windows 서비스 응용 프로그램 디버깅
링크 : http://msdn.microsoft.com/ko-kr/library/7a50syb3(VS.80).aspx
'.Net > .Net' 카테고리의 다른 글
[.Net] Mutex 클래스 (0) | 2013.04.19 |
---|---|
[.Net] ServiceController (0) | 2013.04.18 |
[.Net] HTTP POST/WebClient (C#) and CSV formated string (0) | 2013.04.12 |
[.Net] RSA 암호화 (0) | 2013.03.13 |
[.Net] EXE를 포함한 외부 DLL을 같이 배포하기 (0) | 2013.02.19 |
트랙백
댓글
글
링크 : http://technet.rapaport.com/Info/LotUpload/SampleCode/WebClient_string.aspx
string UploadCSVString = @"StockNumber,Shape,Weight,Color,Clarity" +
Environment.NewLine + "1234Eli,Round,2.0,F,VVS1"; //CSV forma
string URLAuth = "https://technet.rapaport.com/HTTP/Authenticate.aspx";
WebClient webClient = new WebClient();
NameValueCollection formData = new NameValueCollection();
formData["Username"] = "myUser";
formData["Password"] = "myPassword";
byte[] responseBytes = webClient.UploadValues(URLAuth, "POST", formData);
string ResultAuthTicket = Encoding.UTF8.GetString(responseBytes);
webClient.Dispose();
string URL = "http://technet.rapaport.com/HTTP/Upload/Upload.aspx?Method=string";
formData.Clear();
formData["ticket"] = ResultAuthTicket;
formData["UploadCSVString"] = UploadCSVString;
formData["ReplaceAll"] = "false";
responseBytes = webClient.UploadValues(URL, "POST", formData);
string Result = Encoding.UTF8.GetString(responseBytes);
'.Net > .Net' 카테고리의 다른 글
[.Net] ServiceController (0) | 2013.04.18 |
---|---|
[.Net] Windows 서비스 만들기 (0) | 2013.04.17 |
[.Net] RSA 암호화 (0) | 2013.03.13 |
[.Net] EXE를 포함한 외부 DLL을 같이 배포하기 (0) | 2013.02.19 |
[.Net] Castle DynamicProxy Tutorial (0) | 2013.01.23 |
트랙백
댓글
글
OpenFileDialog open_file_dialog = new OpenFileDialog();
open_file_dialog.Filter = "dat Files|*.dat|All Files|*.*";
open_file_dialog.FilterIndex = 1;
open_file_dialog.RestoreDirectory = true;try
{
if (open_file_dialog.ShowDialog() == DialogResult.OK)
{
import_path = open_file_dialog.FileName;
}
}
catch (System.Exception)
{
}
'.Net > WinForm' 카테고리의 다른 글
[.Net] FolderbrowserDialog Custom Action (0) | 2014.02.08 |
---|---|
[WinForm] 서브클래스에서 OnPaint가 안될때... (0) | 2013.02.22 |
트랙백
댓글
글
* RSACryptoServiceProvier
* RSACryptoServiceProvier.Encrypt
* RSACryptoServiceProvier.Decrypt
* RSACryptoServiceProvier.SignData
http://msdn.microsoft.com/ko-kr/library/9tsc5d0z(v=vs.90).aspx
* 참고
http://blog.naver.com/techshare?Redirect=Log&logNo=100148508998
'.Net > .Net' 카테고리의 다른 글
[.Net] Windows 서비스 만들기 (0) | 2013.04.17 |
---|---|
[.Net] HTTP POST/WebClient (C#) and CSV formated string (0) | 2013.04.12 |
[.Net] EXE를 포함한 외부 DLL을 같이 배포하기 (0) | 2013.02.19 |
[.Net] Castle DynamicProxy Tutorial (0) | 2013.01.23 |
[.Net] NuGet (0) | 2013.01.23 |
트랙백
댓글
글
TextBox에 PlaceHolder 기능을 추가해야 해서 이것 저것 해보다가
OnPaint로 그릴 생각까지 했는데 분면 OnPaint를 오버라이드 했는데도 이벤트가 발생하지 않았습니다.
그럴때는 서브클래싱한 컨트롤에서 SetStyle을 설정('SetStyle(ControlStyles.userPaint, true)')해줘야 합니다.
SetStyle : http://msdn.microsoft.com/ko-kr/library/system.windows.forms.control.setstyle.aspx
그런데 구글링으로 찾은 소스중 보다 Win32 API를 이용해서 텍스트박스에 PlaceHolder 기능을 구현한게 있네요.
public class CueTextBox : TextBox
{
private static class NativeMethods
{
private const uint ECM_FIRST = 0x1500;
internal const uint EM_SETCUEBANNER = ECM_FIRST + 1;
[DllImport("user32.dll", EntryPoint = "SendMessageW")]
public static extern IntPtr SendMessageW(IntPtr hWnd, UInt32 Msg, IntPtr wParam, [MarshalAs(UnmanagedType.LPWStr)] string lParam);
}
private string _cue;
[
Description("PlaceHolder로 사용될 텍스트"),
Category("Appearance"),
Browsable(true),
]
public string Cue
{
get
{
return _cue;
}
set
{
_cue = value;
UpdateCue();
}
}
public CueTextBox()
{
this.SetStyle(ControlStyles.UserPaint, false);
this.SetStyle(ControlStyles.AllPaintingInWmPaint, true);
}
protected override void OnPaint(PaintEventArgs e)
{
base.OnPaint(e);
}
private void UpdateCue()
{
if (IsHandleCreated && _cue != null)
{
NativeMethods.SendMessageW(Handle, NativeMethods.EM_SETCUEBANNER, (IntPtr)1, _cue);
}
}
protected override void OnHandleCreated(EventArgs e)
{
base.OnHandleCreated(e);
UpdateCue();
}
}
'.Net > WinForm' 카테고리의 다른 글
[.Net] FolderbrowserDialog Custom Action (0) | 2014.02.08 |
---|---|
[WinForm] OpenFileDialog (0) | 2013.03.13 |
트랙백
댓글
글
'.Net > .Net' 카테고리의 다른 글
[.Net] HTTP POST/WebClient (C#) and CSV formated string (0) | 2013.04.12 |
---|---|
[.Net] RSA 암호화 (0) | 2013.03.13 |
[.Net] Castle DynamicProxy Tutorial (0) | 2013.01.23 |
[.Net] NuGet (0) | 2013.01.23 |
[.Net] AOP 프로그래밍 (0) | 2013.01.23 |
트랙백
댓글
글
트랙백
댓글
글
'.Net > C#' 카테고리의 다른 글
[C#] Linq for xml tutorial (0) | 2013.05.23 |
---|---|
[C#] XML Serialize Tutorial (0) | 2013.05.08 |
[C#] Visual Studio TODO 만들기 (0) | 2013.01.30 |
[C#] Form close와 Dispose (0) | 2013.01.28 |
[C#] 정적 생성자 (static 멤버 초기화) (0) | 2013.01.15 |
트랙백
댓글
글
출력창에 위와같이 출력이 된다.
해당 라인을 더블클릭 하면은
실제 소스페이지의 라인으로 이동한다.
using System;
namespace KIS.Util
{
/// <summary>
/// 디버깅을 도와주는 유틸 클래스
/// </summary>
public static class MyDebug
{
/// <summary>
/// 현재까지 스택트레이스를 출력한다.
/// </summary>
public static void GetStackTrace()
{
System.Diagnostics.Debug.Write(Environment.StackTrace);
}/// <summary>
/// 콘솔에 스트릴을 출력한다.
/// </summary>
/// <param name="format"></param>
/// <param name="args"></param>
public static void PrintConsole(string format, params object[] args)
{
string msg = string.Format(format, args);
System.Console.Write(msg);
}/// <summary>
/// 현재 파일 이름
/// </summary>
public static string CurrentFile
{
get
{
return new System.Diagnostics.StackTrace(true).GetFrame(1).GetFileName();
}
}/// <summary>
/// 현재 파일의 라인번호
/// </summary>
public static int CurrentLine
{
get
{
return new System.Diagnostics.StackTrace(true).GetFrame(1).GetFileLineNumber();
}
}
public static void TODO(string format, params object[] args)
{
string file_name = new System.Diagnostics.StackTrace(true).GetFrame(1).GetFileName();
int file_number = new System.Diagnostics.StackTrace(true).GetFrame(1).GetFileLineNumber();
string msg = string.Format(format, args);
string todo = string.Format("{0}({1}) : {2}", file_name, file_number, msg);
System.Console.WriteLine(todo);
}
}
}
'.Net > C#' 카테고리의 다른 글
[C#] XML Serialize Tutorial (0) | 2013.05.08 |
---|---|
[C#] Mutex를 통한 다중 인스턴스 실행방지 (0) | 2013.02.08 |
[C#] Form close와 Dispose (0) | 2013.01.28 |
[C#] 정적 생성자 (static 멤버 초기화) (0) | 2013.01.15 |
[C#] Assemble.load (0) | 2013.01.15 |
트랙백
댓글
글
링크 (Form.Dispose) : http://msdn.microsoft.com/ko-kr/library/aw58wzka(v=vs.90).aspx
링크 (Form.Close) : http://msdn.microsoft.com/ko-kr/library/system.windows.forms.form.close(v=vs.90).aspx
모달리스로 닫을시에는 Form.Close()를 호출
모달로 닫을시에는 Form.DialogResult 프로퍼티에 값을 대입
'.Net > C#' 카테고리의 다른 글
[C#] Mutex를 통한 다중 인스턴스 실행방지 (0) | 2013.02.08 |
---|---|
[C#] Visual Studio TODO 만들기 (0) | 2013.01.30 |
[C#] 정적 생성자 (static 멤버 초기화) (0) | 2013.01.15 |
[C#] Assemble.load (0) | 2013.01.15 |
[Visual Studio 2010] C# 선언할때 공백 제거 문제 (0) | 2013.01.14 |
트랙백
댓글
글
링크 : http://kozmic.net/dynamic-proxy-tutorial/
링크 : http://docs.castleproject.org/Tools.DynamicProxy.ashx
'.Net > .Net' 카테고리의 다른 글
[.Net] RSA 암호화 (0) | 2013.03.13 |
---|---|
[.Net] EXE를 포함한 외부 DLL을 같이 배포하기 (0) | 2013.02.19 |
[.Net] NuGet (0) | 2013.01.23 |
[.Net] AOP 프로그래밍 (0) | 2013.01.23 |
[.Net] CodeDomProvider (0) | 2013.01.15 |
트랙백
댓글
글
링크 : http://msdn.microsoft.com/ko-kr/library/system.codedom.compiler.codedomprovider.aspx
using System;
using System.CodeDom;
using System.CodeDom.Compiler;
using System.Collections;
using System.ComponentModel;
using System.Diagnostics;
using System.Drawing;
using System.IO;
using System.Windows.Forms;
using Microsoft.CSharp;
using Microsoft.VisualBasic;
using Microsoft.JScript;// This example demonstrates building a Hello World program graph
// using System.CodeDom elements. It calls code generator and
// code compiler methods to build the program using CSharp, VB, or
// JScript. A Windows Forms interface is included. Note: Code
// must be compiled and linked with the Microsoft.JScript assembly.
namespace CodeDOMExample
{
class CodeDomExample
{
// Build a Hello World program graph using
// System.CodeDom types.
public static CodeCompileUnit BuildHelloWorldGraph()
{
// Create a new CodeCompileUnit to contain
// the program graph.
CodeCompileUnit compileUnit = new CodeCompileUnit();// Declare a new namespace called Samples.
CodeNamespace samples = new CodeNamespace("Samples");
// Add the new namespace to the compile unit.
compileUnit.Namespaces.Add(samples);// Add the new namespace import for the System namespace.
samples.Imports.Add(new CodeNamespaceImport("System"));// Declare a new type called Class1.
CodeTypeDeclaration class1 = new CodeTypeDeclaration("Class1");
// Add the new type to the namespace type collection.
samples.Types.Add(class1);// Declare a new code entry point method.
CodeEntryPointMethod start = new CodeEntryPointMethod();// Create a type reference for the System.Console class.
CodeTypeReferenceExpression csSystemConsoleType = new CodeTypeReferenceExpression("System.Console");// Build a Console.WriteLine statement.
CodeMethodInvokeExpression cs1 = new CodeMethodInvokeExpression(
csSystemConsoleType, "WriteLine",
new CodePrimitiveExpression("Hello World!"));// Add the WriteLine call to the statement collection.
start.Statements.Add(cs1);// Build another Console.WriteLine statement.
CodeMethodInvokeExpression cs2 = new CodeMethodInvokeExpression(
csSystemConsoleType, "WriteLine",
new CodePrimitiveExpression("Press the Enter key to continue."));// Add the WriteLine call to the statement collection.
start.Statements.Add(cs2);// Build a call to System.Console.ReadLine.
CodeMethodInvokeExpression csReadLine = new CodeMethodInvokeExpression(
csSystemConsoleType, "ReadLine");// Add the ReadLine statement.
start.Statements.Add(csReadLine);// Add the code entry point method to
// the Members collection of the type.
class1.Members.Add(start);return compileUnit;
}public static void GenerateCode(CodeDomProvider provider,
CodeCompileUnit compileunit)
{
// Build the source file name with the appropriate
// language extension.
String sourceFile;
if (provider.FileExtension[0] == '.')
{
sourceFile = "TestGraph" + provider.FileExtension;
}
else
{
sourceFile = "TestGraph." + provider.FileExtension;
}// Create an IndentedTextWriter, constructed with
// a StreamWriter to the source file.
IndentedTextWriter tw = new IndentedTextWriter(new StreamWriter(sourceFile, false), " ");
// Generate source code using the code generator.
provider.GenerateCodeFromCompileUnit(compileunit, tw, new CodeGeneratorOptions());
// Close the output file.
tw.Close();
}public static CompilerResults CompileCode(CodeDomProvider provider,
String sourceFile,
String exeFile)
{
// Configure a CompilerParameters that links System.dll
// and produces the specified executable file.
String[] referenceAssemblies = { "System.dll" };
CompilerParameters cp = new CompilerParameters(referenceAssemblies,
exeFile, false);
// Generate an executable rather than a DLL file.
cp.GenerateExecutable = true;// Invoke compilation.
CompilerResults cr = provider.CompileAssemblyFromFile(cp, sourceFile);
// Return the results of compilation.
return cr;
}
}public class CodeDomExampleForm : System.Windows.Forms.Form
{
private System.Windows.Forms.Button run_button = new System.Windows.Forms.Button();
private System.Windows.Forms.Button compile_button = new System.Windows.Forms.Button();
private System.Windows.Forms.Button generate_button = new System.Windows.Forms.Button();
private System.Windows.Forms.TextBox textBox1 = new System.Windows.Forms.TextBox();
private System.Windows.Forms.ComboBox comboBox1 = new System.Windows.Forms.ComboBox();
private System.Windows.Forms.Label label1 = new System.Windows.Forms.Label();private void generate_button_Click(object sender, System.EventArgs e)
{
CodeDomProvider provider = GetCurrentProvider();
CodeDomExample.GenerateCode(provider, CodeDomExample.BuildHelloWorldGraph());// Build the source file name with the appropriate
// language extension.
String sourceFile;
if (provider.FileExtension[0] == '.')
{
sourceFile = "TestGraph" + provider.FileExtension;
}
else
{
sourceFile = "TestGraph." + provider.FileExtension;
}// Read in the generated source file and
// display the source text.
StreamReader sr = new StreamReader(sourceFile);
textBox1.Text = sr.ReadToEnd();
sr.Close();
}private void compile_button_Click(object sender, System.EventArgs e)
{
CodeDomProvider provider = GetCurrentProvider();// Build the source file name with the appropriate
// language extension.
String sourceFile;
if (provider.FileExtension[0] == '.')
{
sourceFile = "TestGraph" + provider.FileExtension;
}
else
{
sourceFile = "TestGraph." + provider.FileExtension;
}// Compile the source file into an executable output file.
CompilerResults cr = CodeDomExample.CompileCode(provider,
sourceFile,
"TestGraph.exe");if (cr.Errors.Count > 0)
{
// Display compilation errors.
textBox1.Text = "Errors encountered while building " +
sourceFile + " into " + cr.PathToAssembly + ": \r\n\n";
foreach (CompilerError ce in cr.Errors)
textBox1.AppendText(ce.ToString() + "\r\n");
run_button.Enabled = false;
}
else
{
textBox1.Text = "Source " + sourceFile + " built into " +
cr.PathToAssembly + " with no errors.";
run_button.Enabled = true;
}
}private void run_button_Click(object sender,
System.EventArgs e)
{
Process.Start("TestGraph.exe");
}private CodeDomProvider GetCurrentProvider()
{
CodeDomProvider provider;
switch ((string)this.comboBox1.SelectedItem)
{
case "CSharp":
provider = CodeDomProvider.CreateProvider("CSharp");
break;
case "Visual Basic":
provider = CodeDomProvider.CreateProvider("VisualBasic");
break;
case "JScript":
provider = CodeDomProvider.CreateProvider("JScript");
break;
default:
provider = CodeDomProvider.CreateProvider("CSharp");
break;
}
return provider;
}public CodeDomExampleForm()
{
this.SuspendLayout();
// Set properties for label1
this.label1.Location = new System.Drawing.Point(395, 20);
this.label1.Size = new Size(180, 22);
this.label1.Text = "Select a programming language:";
// Set properties for comboBox1
this.comboBox1.Location = new System.Drawing.Point(560, 16);
this.comboBox1.Size = new Size(190, 23);
this.comboBox1.Name = "comboBox1";
this.comboBox1.Items.AddRange(new string[] { "CSharp", "Visual Basic", "JScript" });
this.comboBox1.Anchor = System.Windows.Forms.AnchorStyles.Left
| System.Windows.Forms.AnchorStyles.Right
| System.Windows.Forms.AnchorStyles.Top;
this.comboBox1.SelectedIndex = 0;
// Set properties for generate_button.
this.generate_button.Location = new System.Drawing.Point(8, 16);
this.generate_button.Name = "generate_button";
this.generate_button.Size = new System.Drawing.Size(120, 23);
this.generate_button.Text = "Generate Code";
this.generate_button.Click += new System.EventHandler(this.generate_button_Click);
// Set properties for compile_button.
this.compile_button.Location = new System.Drawing.Point(136, 16);
this.compile_button.Name = "compile_button";
this.compile_button.Size = new System.Drawing.Size(120, 23);
this.compile_button.Text = "Compile";
this.compile_button.Click += new System.EventHandler(this.compile_button_Click);
// Set properties for run_button.
this.run_button.Enabled = false;
this.run_button.Location = new System.Drawing.Point(264, 16);
this.run_button.Name = "run_button";
this.run_button.Size = new System.Drawing.Size(120, 23);
this.run_button.Text = "Run";
this.run_button.Click += new System.EventHandler(this.run_button_Click);
// Set properties for textBox1.
this.textBox1.Anchor = (System.Windows.Forms.AnchorStyles.Top
| System.Windows.Forms.AnchorStyles.Bottom
| System.Windows.Forms.AnchorStyles.Left
| System.Windows.Forms.AnchorStyles.Right);
this.textBox1.Location = new System.Drawing.Point(8, 48);
this.textBox1.Multiline = true;
this.textBox1.ScrollBars = System.Windows.Forms.ScrollBars.Vertical;
this.textBox1.Name = "textBox1";
this.textBox1.Size = new System.Drawing.Size(744, 280);
this.textBox1.Text = "";
// Set properties for the CodeDomExampleForm.
this.AutoScaleBaseSize = new System.Drawing.Size(5, 13);
this.ClientSize = new System.Drawing.Size(768, 340);
this.MinimumSize = new System.Drawing.Size(750, 340);
this.Controls.AddRange(new System.Windows.Forms.Control[] {this.textBox1,
this.run_button, this.compile_button, this.generate_button,
this.comboBox1, this.label1 });
this.Name = "CodeDomExampleForm";
this.Text = "CodeDom Hello World Example";
this.ResumeLayout(false);
}protected override void Dispose(bool disposing)
{
base.Dispose(disposing);
}[STAThread]
static void Main()
{
Application.Run(new CodeDomExampleForm());
}
}
}
'.Net > .Net' 카테고리의 다른 글
[.Net] NuGet (0) | 2013.01.23 |
---|---|
[.Net] AOP 프로그래밍 (0) | 2013.01.23 |
[.Net] Aspect Oriented Programming With .Net (0) | 2013.01.14 |
[.Net] 웹 자동화 구현 클래스 (0) | 2013.01.09 |
[.Net] pinvoke.net (0) | 2013.01.07 |
트랙백
댓글
글
링크 : http://msdn.microsoft.com/ko-kr/library/k9x6w0hc(v=vs.80).aspx
public class Bus
{
// Static constructor:
static Bus()
{
System.Console.WriteLine("The static constructor invoked.");
}public static void Drive()
{
System.Console.WriteLine("The Drive method invoked.");
}
}class TestBus
{
static void Main()
{
Bus.Drive();
}
}
'.Net > C#' 카테고리의 다른 글
[C#] Visual Studio TODO 만들기 (0) | 2013.01.30 |
---|---|
[C#] Form close와 Dispose (0) | 2013.01.28 |
[C#] Assemble.load (0) | 2013.01.15 |
[Visual Studio 2010] C# 선언할때 공백 제거 문제 (0) | 2013.01.14 |
[C#] C# as 연산자 (0) | 2013.01.09 |
트랙백
댓글
글
링크 : http://msdn.microsoft.com/ko-kr/library/system.reflection.assembly.load.aspx
어셈블리를 로드합니다.
이 멤버는 오버로드됩니다. 구문, 사용법 및 예제를 비롯하여 이 멤버에 대한 자세한 내용을 보려면 오버로드 목록에서 이름을 클릭합니다.
이름 | 설명 | |
---|---|---|
Load(AssemblyName) | ||
Load(Byte[]) | ||
Load(String) | ||
Load(AssemblyName, Evidence) | 사용되지 않습니다. | |
Load(Byte[], Byte[]) | ||
Load(String, Evidence) | 사용되지 않습니다. | |
Load(Byte[], Byte[], Evidence) | 사용되지 않습니다. | |
Load(Byte[], Byte[], SecurityContextSource) |
'.Net > C#' 카테고리의 다른 글
[C#] Form close와 Dispose (0) | 2013.01.28 |
---|---|
[C#] 정적 생성자 (static 멤버 초기화) (0) | 2013.01.15 |
[Visual Studio 2010] C# 선언할때 공백 제거 문제 (0) | 2013.01.14 |
[C#] C# as 연산자 (0) | 2013.01.09 |
[C#] StackTrace (0) | 2013.01.08 |
트랙백
댓글
글
선언할때 줄 잘 맞춰서 코딩해 놨는데 공백이 사라지는 억울함이....
도구 -> 옵션 -> 텍스트 편집기 -> C# -> 서식 -> 간격 -> 기타 간격 옵션을 설정합니다. -> 선언문의 공백을 무시합니다.
' 체크 '
'.Net > C#' 카테고리의 다른 글
[C#] 정적 생성자 (static 멤버 초기화) (0) | 2013.01.15 |
---|---|
[C#] Assemble.load (0) | 2013.01.15 |
[C#] C# as 연산자 (0) | 2013.01.09 |
[C#] StackTrace (0) | 2013.01.08 |
[C#] DllImportAttribut 멤버 (0) | 2013.01.04 |
트랙백
댓글
글
링크 : http://msdn.microsoft.com/ko-kr/library/cscsdfbt(VS.80).aspx
호환되는 참조 형식 간에 변환을 수행하는 데 사용됩니다. 예를 들면 다음과 같습니다.
string s = someObject as string; if (s != null) { // someObject is a string. }
as 연산자는 캐스트 연산과 비슷하지만 변환이 가능하지 않은 경우에 as를 사용하면 예외가 발생하지 않고 대신 null이 반환됩니다. 식의 정확한 형식은 다음과 같습니다.
expression as type
이 식은 아래의 식과 동일합니다.
expression is type ? (type)expression : (type)null
그러나 expression 이 한 번만 계산된다는 점은 다릅니다.
as 연산자는 오직 참조 변환과 boxing 변환만을 수행합니다. as 연산자는 사용자 정의 변환과 같은 다른 변환을 수행할 수 없습니다. 사용자 정의 변환은 이 연산자 대신 캐스트 식을 사용하여 수행해야 합니다.
// cs_keyword_as.cs // The as operator. using System; class Class1 { } class Class2 { } class MainClass { static void Main() { object[] objArray = new object[6]; objArray[0] = new Class1(); objArray[1] = new Class2(); objArray[2] = "hello"; objArray[3] = 123; objArray[4] = 123.4; objArray[5] = null; for (int i = 0; i < objArray.Length; ++i) { string s = objArray[i] as string; Console.Write("{0}:", i); if (s != null) { Console.WriteLine("'" + s + "'"); } else { Console.WriteLine("not a string"); } } } }
출력
0:not a string 1:not a string 2:'hello' 3:not a string 4:not a string 5:not a string
'.Net > C#' 카테고리의 다른 글
[C#] Assemble.load (0) | 2013.01.15 |
---|---|
[Visual Studio 2010] C# 선언할때 공백 제거 문제 (0) | 2013.01.14 |
[C#] StackTrace (0) | 2013.01.08 |
[C#] DllImportAttribut 멤버 (0) | 2013.01.04 |
[C#] Visual C# 메소드를 비동기로 호출하는 방법 (0) | 2012.04.14 |
트랙백
댓글
글
.Net에서 WebBrowser 컨트롤을 임포트 해서 해결할수도 있고
좀더 아래 로우레벨로 내려가서 해결할수도 있습니다.
링크 (WebClient) : http://msdn.microsoft.com/ko-kr/library/system.net.webclient(v=vs.80).aspx
using System;
using System.Net;
using System.IO;public class Test
{
public static void Main (string[] args)
{
if (args == null || args.Length == 0)
{
throw new ApplicationException ("Specify the URI of the resource to retrieve.");
}
WebClient client = new WebClient ();// Add a user agent header in case the
// requested URI contains a query.client.Headers.Add ("user-agent", "Mozilla/4.0 (compatible; MSIE 6.0; Windows NT 5.2; .NET CLR 1.0.3705;)");
Stream data = client.OpenRead (args[0]);
StreamReader reader = new StreamReader (data);
string s = reader.ReadToEnd ();
Console.WriteLine (s);
data.Close ();
reader.Close ();
}
}
이벤트 (DownloadProgressChanged) : http://msdn.microsoft.com/ko-kr/library/system.net.webclient.downloadprogresschanged(v=vs.80).aspx
링크 (WebRequest) : http://msdn.microsoft.com/ko-kr/library/system.net.webrequest(v=vs.95).aspx
'.Net > .Net' 카테고리의 다른 글
[.Net] CodeDomProvider (0) | 2013.01.15 |
---|---|
[.Net] Aspect Oriented Programming With .Net (0) | 2013.01.14 |
[.Net] pinvoke.net (0) | 2013.01.07 |
[.Net] Windows 서비스 응용 프로그램 (0) | 2012.12.07 |
[.Net] Zlib Wrapper (0) | 2012.05.22 |
트랙백
댓글
글
아는 동생이 알려주길래 얼른 사용해봄 나중을 위해서 기록...
private void GetDebugInfo()
{
string szDebugInfo = string.Empty;System.Diagnostics.StackTrace trace = new System.Diagnostics.StackTrace(true);
System.Diagnostics.Debug.Write("*******************************");
for(int i=1; i<trace.FrameCount; i++)
{
if(trace.GetFrame(i).GetFileName() != null)
{
if(trace.GetFrame(i).GetFileName() != String.Empty)
System.Diagnostics.Debug.Write(trace.GetFrame(i).ToString());
}
}
System.Diagnostics.Debug.Write("*******************************");
}
'.Net > C#' 카테고리의 다른 글
[Visual Studio 2010] C# 선언할때 공백 제거 문제 (0) | 2013.01.14 |
---|---|
[C#] C# as 연산자 (0) | 2013.01.09 |
[C#] DllImportAttribut 멤버 (0) | 2013.01.04 |
[C#] Visual C# 메소드를 비동기로 호출하는 방법 (0) | 2012.04.14 |
[C#] Assembly Version Loading (0) | 2012.04.06 |
트랙백
댓글
글
링크 : http://www.pinvoke.net/index.aspx
win32 API 를 .Net에서 사용할때 .Net에 맞게 DllImport를 해야 하는데 그 변환 문법이 만만치 않다.
각 함수별로 잘 정리되어 있는 사이트
* 사이트 메인 화면을 보면 Visual Studio 2010, 2012 Add-In 프로그램도 존재한다. Winform으로 개발시 유용할듯
'.Net > .Net' 카테고리의 다른 글
[.Net] Aspect Oriented Programming With .Net (0) | 2013.01.14 |
---|---|
[.Net] 웹 자동화 구현 클래스 (0) | 2013.01.09 |
[.Net] Windows 서비스 응용 프로그램 (0) | 2012.12.07 |
[.Net] Zlib Wrapper (0) | 2012.05.22 |
[.Net] Inter-Process Communication (0) | 2012.04.17 |
트랙백
댓글
글
'.Net > C#' 카테고리의 다른 글
[C#] C# as 연산자 (0) | 2013.01.09 |
---|---|
[C#] StackTrace (0) | 2013.01.08 |
[C#] Visual C# 메소드를 비동기로 호출하는 방법 (0) | 2012.04.14 |
[C#] Assembly Version Loading (0) | 2012.04.06 |
[C#] VS 2008 서식 자동 해제 (0) | 2012.04.06 |
트랙백
댓글
글
링크 : http://msdn.microsoft.com/en-us/library/aa770041.aspx
This tutorial shows you several ways to customize the "out of the box" behavior and appearance of the WebBrowser Control. You'll see how to use the advanced hosting interfaces IDocHostUIHandler, IDocHostUIHandler2, IDocHostShowUI, and ICustomDoc. This article will also look at other customization techniques such as download control through handling DISPID_AMBIENT_DLCONTROL in the host's IDispatch implementation, and using IHostDialogHelper.
This article is divided into the following sections:
- Prerequisites and Requirements
- Introduction
- WebBrowser Customization Architecture
- IDocHostUIHandler
- IDocHostUIHandler2
- Controlling Navigation
- IDocHostShowUI
- Controlling Download and Execution
- IHostDialogHelper
- Controlling New Windows
- Information Bar
- Conclusion
- Related Topics
Prerequisites and Requirements
In order to understand and use this tutorial, you need:
- A good understanding of C++ and the Component Object Model (COM).
- Familiarity with the Active Template Library (ATL).
- Microsoft Internet Explorer 6 or later installed.
- Header files and libraries for Internet Explorer 6 or later for use in your development environment; in particular, you need Mshtmhst.h.
Many of the WebBrowser customization features have been available since Internet Explorer 5 and Internet Explorer 5.5. Only a couple require Internet Explorer 6. One more requires Internet Explorer 6 for Windows XP Service Pack 2 (SP2). Check the reference documentation for versioning information.
Introduction
Hosting the WebBrowser Control is a powerful tool for rapid application development. Through hosting, you can take advantage of easy-to-use technologies—Dynamic HTML (DHTML), HTML, and XML—for displaying content and developing a UI. However, "out of the box," the WebBrowser Controlmay not behave quite the way you want. For instance, in its default state the user can view the source of a displayed page by right-clicking and choosing the View Source option on the shortcut menu. You might want to disable or eliminate that option. You might also want to go even further and replace the default shortcut menu entirely with your own custom menu.
Aside from the customizations just mentioned, the advanced hosting features of Windows Internet Explorer enable you to:
- Use buttons and other controls on a displayed page to call internal methods in your application, effectively extending the DHTML Object Model.
- Change drag-and-drop behavior.
- Control which pages your application can access, restricting navigation, for example, to specify pages, domains, or sites.
- Intercept user keystrokes and process them however you want. For example, you might intercept CTRL+O to prevent the user from opening a new page in Internet Explorer rather than the host application.
- Change default font and display settings.
- Control the kinds of content that are downloaded and what the WebBrowser Control does with them once they are downloaded. For example, you can prevent videos from playing, script from running, or new windows from opening when users click links, or prevent Microsoft ActiveX controls from downloading or executing.
- Restrict View Source.
- Capture searches.
- Capture navigation errors.
- Replace or modify shortcut menus and shortcut menu entries—disabling, replacing, customizing, or adding to them.
- Change registry settings for your application.
- Intercept and change messages dialogs shown by the WebBrowser Control.
- Control how new windows are created.
In the following sections, we'll look at many, though not all, of these possibilities and discuss how to implement them.
WebBrowser Customization Architecture
Introducing IDocHostUIHandler, IDocHostUIHander2, IDocHostShowUI, and ICustomDoc
Three interfaces are at the heart of WebBrowser Control UI customization: IDocHostUIHandler, IDocHostUIHandler2, and IDocHostShowUI. These are interfaces that you implement in your application when you want to modify the WebBrowser Control. There are also a couple of service interfaces.ICustomDoc is implemented by MSHTML and provides a means to enable WebBrowser Control customization in some scenarios. IHostDialogHelperprovides a means to open trusted dialog boxes, without identification that marks them as Internet Explorer dialog boxes.
In addition to using these interfaces, there are two other things you can do. For one, you can control download by intercepting ambient property changes in your IDispatch implementation. Second, you can control how new windows are created by intercepting DISPID_NEWWINDOW2 in your IDispatchimplementation.
How It Works
The mechanism for WebBrowser Control customization is designed to be automated when a container provides support for ActiveX controls. Whenever theWebBrowser Control is instantiated, it attempts to find IDocHostUIHandler, IDocHostUIHandler2 and IDocHostShowUI implementations from the host, if they are available. The WebBrowser Control does this by a QueryInterface call on the host's IOleClientSite interface.
This architecture works automatically for an application that implements an IOleClientSite interface and that passes an IOleClientSite pointer to theWebBrowser Control through the browser's IOleObject::SetClientSite method. A typical instantiation of the WebBrowser Control might look like this:
// Error checking omitted for clarity CComPtr<IOleObject> spOleObj; // Create WebBrowser--store pointer in class member variable m_spWebBrowser CoCreateInstance(CLSID_WebBrowser, NULL, CLSCTX_INPROC, IID_IWebBrowser2, (void**)&m_spWebBrowser); // Query WebBrowser for IOleObject pointer m_spWebBrowser->QueryInterface(IID_IOleObject, (void**)&spOleObj); // Set client site spOleObj->SetClientSite(this); // In-place activate the WebBrowser control RECT rcClient GetClientRect(&rcClient); spOleObj->DoVerb(OLEIVERB_INPLACEACTIVATE, NULL, this, 0, GetTopLevelWindow(), &rcClient); // Register container to intercept WebBrowser events AtlAdvise(m_spWebBrowser, GetUnknown(), DIID_DWebBrowserEvents2, &m_dwCookie); // Navigate to start page m_spWebBrowser->Navigate(L"res://webhost.exe/startpage.htm", NULL, NULL, NULL, NULL);
However, if your application doesn't have an IOleClientSite interface, all is not lost. Internet Explorer provides the ICustomDoc interface so you can pass Internet Explorer your IDocHostUIHandler interface yourself. You cannot use IDocHostUIHandler2 and IDocHostShowUI without providing anIOleClientSite interface on the object hosting the WebBrowser Control.
When the WebBrowser Control holds a pointer to any of these interfaces, the methods of the interfaces are called at appropriate times during the lifetime of the WebBrowser Control. For instance, when the user right-clicks with the mouse anywhere in the WebBrowser Control's client area, your implementation of IDocHostUIHandler::ShowContextMenu will be called before Internet Explorer displays its default shortcut menu. This gives you a chance to display your own shortcut menu and prevent Internet Explorer from displaying its menu.
There are a few more important points to remember when initializing the WebBrowser Control. Your application should use OleInitialize rather thanCoInitialize to start COM. OleInitialize enables support for the Clipboard, drag-and-drop operations, OLE, and in-place activation. Use OleUninitialize to close the COM library when your application shuts down.
The ATL COM Wizard uses CoInitialize rather than OleInitialize to open the COM libraries. If you use this wizard to build an executable program, you need to change the CoInitialize and CoUninitialize calls to OleInitialize and OleUninitialize. For a Microsoft Foundation Classes (MFC) application, be sure that your application calls AfxOleInit, which calls OleInitialize, in its initialization process.
If you don't want drag-and-drop support in your application, you can call IWebBrowser2::RegisterAsDropTarget, passing in VARIANT_TRUE, to prevent any drag-and-drop operations on your WebBrowser Control instance.
An application hosting the WebBrowser Control will also need an implementation of IOleInPlaceSite, and since IOleInPlaceSite derives from IOleWindow, the application will also need an implementation of IOleWindow. You need these implementations so your application has a window in which to display theWebBrowser Control and so you can manage its display.
The implementations of these interfaces and IOleClientSite can be minimal or nonexistent in many cases. The IOleClientSite methods can all return E_NOTIMPL. Some of the IOleInPlaceSite and IOleWindow methods need an implementation beyond their return value. See the code sample for an example of a minimal implementation of IOleInPlaceSite and IOleWindow.
Now that we have covered the initialization preliminaries, let's take a look at each of the interfaces for WebBrowser Control customization.
IDocHostUIHandler
IDocHostUIHandler has been available since Internet Explorer 5. It provides fifteen methods. In general, some of the more important methods areIDocHostUIHandler::GetExternal, IDocHostUIHandler::GetHostInfo, IDocHostUIHandler::GetOptionKeyPath, IDocHostUIHandler::ShowContextMenu, andIDocHostUIHandler::TranslateAccelerator. Of course, the methods that are most important to you will depend on your application.
IDocHostUIHandler::GetHostInfo
You use IDocHostUIHandler::GetHostInfo to tell MSHTML about your application's capabilities and requirements. With it you can control a variety of things, for instance:
- You can disable the browser's 3-D border.
- You can prevent scroll bars or change their appearance.
- You can define how you want to handle double-clicks.
IDocHostUIHandler::GetHostInfo has one parameter, a pointer to a DOCHOSTUIINFO structure allocated by MSHTML. Your job is to fill this structure with the information you want to pass to MSHTML.
There are four members in the DOCHOSTUIINFO structure. The first member is cbSize, which is the size of the structure. You should set this yourself as the following code sample shows. The second member is dwFlags, which can take any number of flag values, combined with the bitwise OR operator, from theDOCHOSTUIFLAG enumeration. The third member is dwDoubleClick, which takes a value from the DOCHOSTUIDBLCLK enumeration. The fourth member ispchHostCss. You can set pchHostCss to a pointer to a string with Cascading Style Sheets (CSS) rules that you want to apply globally to any page displayed in the WebBrowser control. The final member of DOCHOSTUIINFO is pchHostNs. This is also a string pointer with which you can provide a semicolon-delimited list of namespaces. Use this member when you use custom tags on the pages you're displaying in the WebBrowser Control. This way you can have a global declaration for namespaces and don't have to declare them on each displayed page.
Be sure to use CoTaskMemAlloc to allocate strings for pchHostCss or pchHostNS.
HRESULT GetHostInfo(DOCHOSTUIINFO *pInfo) { WCHAR* szCSS = L"BODY {background-color:#ffcccc}"; WCHAR* szNS = L"IE;MyTags;MyTags2='www.microsoft.com'"; #define CCHMAX 256 size_t cchLengthCSS, cchLengthszNS; HRESULT hr = StringCchLengthW(szCSS, CCHMAX, &cchLengthCSS); // TODO: Add error handling code here. OLECHAR* pCSSBuffer = (OLECHAR*)CoTaskMemAlloc((cchLengthCSS + 1) * sizeof(OLECHAR)); // TODO: Add error handling code to make sure memory block was allocated successfully. hr = StringCchLengthW(szNS, CCHMAX, &cchLengthszNS); // TODO: Add error handling code here. OLECHAR* pNSBuffer = (OLECHAR*)CoTaskMemAlloc((cchLengthszNS + 1) * sizeof(OLECHAR)); // TODO: Add error handling code to make sure memory block was allocated successfully. hr = StringCchCopyW(pCSSBuffer, cchLengthCSS + 1, szCSS); // TODO: Add error handling code here. hr = StringCchCopyW(pNSBuffer, cchLengthszNS + 1, szNS); // TODO: Add error handling code here. pInfo->cbSize = sizeof(DOCHOSTUIINFO); pInfo->dwFlags = DOCHOSTUIFLAG_NO3DBORDER | DOCHOSTUIFLAG_SCROLL_NO; pInfo->dwDoubleClick = DOCHOSTUIDBLCLK_DEFAULT; pInfo->pchHostCss = pCSSBuffer; pInfo->pchHostNS = pNSBuffer; return S_OK; }
If you have nothing special to say to MSHTML, you can return E_NOTIMPL from this method.
IDocHostUIHandler::ShowContextMenu
By implementing this method, you gain control over the shortcut menus displayed by the WebBrowser Control when a user right-clicks. You can prevent Internet Explorer from displaying its default menu by returning S_OK from this method. Returning some other value, like S_FALSE or E_NOTIMPL, allows Internet Explorer to go ahead with its default shortcut menu behavior.
If you return S_OK from this method and nothing more, you can prevent any right-click behavior by the WebBrowser Control. This may be all you desire in many scenarios but you can do more. Often, you use this method to create and display your own shortcut menu before returning S_OK. If you know the resources from which the WebBrowser Control displays its menus, and how it chooses them, you can also effectively customize the default WebBrowser Control shortcut menus themselves.
Refer to WebBrowser Customization (Part 2) for an implementation example of this method.
IDocHostUIHandler::GetExternal: Extending the DOM
IDocHostUIHandler provides you with a means to extend the Internet Explorer Document Object Model (DOM) with objects, methods, and properties of your own, implemented in your own application. You do this by providing MSHTML a pointer to the IDispatch interface for the COM automation object that implements your custom object, properties, and methods. These objects, properties, and methods will then be available to any page displayed in theWebBrowser Control through the document's external object.
You can easily implement this method, assuming your IDispatch interface is on the same object that implements IDocHostUIHandler.
HRESULT CBrowserHost::GetExternal(IDispatch **ppDispatch) { *ppDispatch = this; return S_OK; }
Once MSHTML has a pointer to your IDispatch, MSHTML will pass any calls on Web pages to automation methods on your application through the externalobject:
<SCRIPT language="JScript"> function MyFunc(iSomeData) { external.MyCustomMethod("Some text", iSomeData); } </SCRIPT>
You can also use this technique to pass whole objects to a page. To do this, create a method in your IDispatch implementation that passes back the object you want to make available.
<SCRIPT language="JScript"> function MyFunc(iSomeData) { var oCustCalendarObj; external.GetCustomCalender(oCustCalenderObj); oCustCalerdarObj.doStuffWithIt(); . . . } </SCRIPT>
See the sample application for an example of IDispatch automation implementation using ATL.
IDocHostUIHandler::GetOptionKeyPath
IDocHostUIHandler::GetOptionKeyPath is a very powerful tool for customizing the WebBrowser Control. Many of the WebBrowser Control display and behavior settings are stored in the registry under the HKEY_CURRENT_USER key. IDocHostUIHandler::GetOptionKeyPath gives you an opportunity to override these registry settings for your specific instance of the WebBrowser Control. It does this by letting you supply an alternate registry location from which the WebBrowser Control will read in registry settings.
An implementation of IDocHostUIHandler::GetOptionKeyPath passes a string to the WebBrowser Control for the registry location you want it to read from. The WebBrowser Control will look for this key under the HKEY_CURRENT_USER key.
HRESULT CBrowserHost::GetOptionKeyPath(LPOLESTR *pchKey, DWORD dwReserved) { HRESULT hr; #define CCHMAX 256 size_t cchLength; if (pchKey) { WCHAR* szMyKey = L"Software\\MyCompany\\MyApp"; hr = StringCchLengthW(szMyKey, CCHMAX, &cchLength); // TODO: Add error handling code here. *pchKey = (LPOLESTR)CoTaskMemAlloc((cchLength + 1) * sizeof(WCHAR)); if (*pchKey) hr = StringCchCopyW(*pchKey, cchLength + 1, szKey); // TODO: Add error handling code here. hr = (*pchKey) ? S_OK : E_OUTOFMEMORY; } else hr = E_INVALIDARG; return hr; }
As with IDocHostUIHandler::GetHostInfo, be sure to allocate memory for your strings using CoTaskMemAlloc.
Telling the WebBrowser Control where to look for your registry settings is the first step—actually, it's the second step as far as program execution is concerned. Your program must set the keys at the location specified by IDocHostUIHandler::GetOptionKeyPath so the WebBrowser Control can read them. There are a variety of ways to do this. One way would be with a registry script that runs when the application is installed. Another way might be to do it programmatically when the application starts. Here's a function that sets keys to change the default font, size, and color.
HRESULT SetSomeKeys() { HKEY hKey = NULL; HKEY hKey2 = NULL; HKEY hKey3 = NULL; DWORD dwDisposition = NULL; LONG lResult = NULL; #define CBMAX 256 size_t cbLength; RegCreateKeyEx(HKEY_CURRENT_USER, _T("Software\\MyCompany\\MyApp"), NULL, NULL, REG_OPTION_NON_VOLATILE, KEY_SET_VALUE, NULL, &hKey, &dwDisposition); RegCreateKeyEx(hKey, _T("Main"), NULL, NULL, REG_OPTION_NON_VOLATILE, KEY_SET_VALUE, NULL, &hKey2, &dwDisposition); RegSetValueEx(hKey2, _T("Use_DlgBox_Colors"), NULL, REG_SZ, (CONST BYTE*)_T("no"), sizeof(_T("no"))); RegCloseKey(hKey2); RegCreateKeyEx(hKey, _T("Settings"), NULL, NULL, REG_OPTION_NON_VOLATILE, KEY_SET_VALUE, NULL, &hKey2, &dwDisposition); RegSetValueEx(hKey2, _T("Anchor Color"), NULL, REG_SZ, (CONST BYTE*)_T("0,255,255"), sizeof(_T("0,255,255"))); RegSetValueEx(hKey2, _T("Text Color"), NULL, REG_SZ, (CONST BYTE*)_T("255,0,255"), sizeof(_T("255,0,255"))); RegCloseKey(hKey2); RegCreateKeyEx(hKey, _T("International\\Scripts"), NULL, NULL, REG_OPTION_NON_VOLATILE, KEY_SET_VALUE, NULL, &hKey2, &dwDisposition); BYTE bDefaultScript = 0x3; RegSetValueEx(hKey2, _T("Default_Script"), NULL, REG_BINARY, &bDefaultScript, sizeof(bDefaultScript)); RegCreateKeyEx(hKey2, _T("3"), NULL, NULL, REG_OPTION_NON_VOLATILE, KEY_SET_VALUE, NULL, &hKey3, &dwDisposition); BYTE bSize = 0x4; // Value from 0 - 4. 2 is medium. TCHAR* szFontName = _T("Comic Sans MS"); TCHAR* szFixedFontName = _T("Courier"); HRESULT hr = StringCbLength(szFontName, CBMAX, &cbLength); // TODO: Add error handling code here. RegSetValueEx(hKey3, _T("IEPropFontName"), NULL, REG_SZ, (CONST BYTE*)szFontName, cbLength + sizeof(TCHAR)); hr = StringCbLength(szFixedFontName, CBMAX, &cbLength); // TODO: Add error handling code here. RegSetValueEx(hKey3, _T("IEFixedFontName"), NULL, REG_SZ, (CONST BYTE*)szFixedFontName, cbLength + sizeof(TCHAR)); RegSetValueEx(hKey3, _T("IEFontSize"), NULL, REG_BINARY, &bSize, sizeof(bSize)); RegCloseKey(hKey3); RegCloseKey(hKey2); RegCloseKey(hKey); return S_OK; }
IDocHostUIHandler2
IDocHostUIHandler2 has a single method, IDocHostUIHandler2::GetOverrideKeyPath. It performs a function very similar toIDocHostUIHandler::GetOptionKeyPath. It points your hosted WebBrowser to registry settings to modify the default Internet Explorer registry settings. An implementation of IDocHostUIHandler2::GetOverrideKeyPath will look much the same as an implementation of IDocHostUIHandler::GetOptionKeyPath.
GetOptionKeyPath and GetOverrideKeyPath Compared
The difference between IDocHostUIHandler::GetOptionKeyPath and IDocHostUIHandler2::GetOverrideKeyPath is subtle, but significant. If you implementIDocHostUIHandler::GetOptionKeyPath, your WebBrowser Control instance will ignore any user settings for Internet Explorer. These settings are stored in the registry under HKEY_CURRENT_USER/Software/Microsoft/Internet Explorer. If you implement IDocHostUIHandler2::GetOverrideKeyPath, yourWebBrowser Control instance will incorporate any user settings—font settings, menu extensions, and so forth—into the way it displays and behaves.
To illustrate the difference between IDocHostUIHandler::GetOptionKeyPath and IDocHostUIHandler2::GetOverrideKeyPath, refer to the code example for adding extensions to the context menu in WebBrowser Customization (Part 2). Recall the line:
spCT->Exec(&CGID_ShellDocView, SHDVID_ADDMENUEXTENSIONS, 0, &var1, &var2);
If you've implemented IDocHostUIHandler::GetOptionKeyPath, this line would add none of the menu extension information that is stored in the registry for the current user. Instead, it would only add menu items that you have created. If you've implemented IDocHostUIHandler2::GetOverrideKeyPath, this line would add any extensions defined for the current user under HKEY_CURRENT_USER\Software\Microsoft\Internet Explorer\MenuExt unless you explicitly supply an empty or alternative MenuExt key in your custom registry key.
Controlling Navigation
You may have wondered why the section on IDocHostUIHandler didn't mention IDocHostUIHandler::TranslateUrl as a method to implement when you wish to control page navigation. The reason is that this method is not the most general purpose technique with which to control navigation. Unless you are hosting MSHTML directly, this method will have no effect on navigation. Instead, you can control navigation by implementing your IDispatch::Invoke method to handle DISPID_BEFORENAVIGATE2. As an example, the following code prevents navigation to a particular URL, displaying the standard "Navigation Canceled" error page if the user attempts to do so.
case DISPID_BEFORENAVIGATE2: { // Is navigation to specified Url disallowed? ATLASSERT((*pDispParams).rgvarg[5].vt = VT_BYREF | VT_BSTR); CComBSTR url = ((*pDispParams).rgvarg)[5].pvarVal->bstrVal; if (url == "http://www.adatum.com" || url == "http://www.adatum.com/") { // If so, navigate the browser frame to standard resource page CComQIPtr<IWebBrowser2> spBrowser = ((*pDispParams).rgvarg)[6].pdispVal; if (spBrowser != NULL) { static const CComBSTR newURL = L"res://ieframe.dll/navcancl.htm"; spBrowser->Navigate(newURL, NULL, NULL, NULL, NULL); // Set Cancel parameter to TRUE to cancel the current event *(((*pDispParams).rgvarg)[0].pboolVal) = TRUE; } } break; }
Keep in mind that event parameters are passed to Invoke in the opposite order as they appear in the event description. Therefore, the pDisp and Urlparameters are elements 6 and 5 of the rgvarg array, respectively. The Cancel parameter (the last parameter of the event) is the first element in the array.
IDocHostShowUI
This interface gives you control over the message boxes and help files displayed by the WebBrowser Control. It works the same way as IDocHostUIHandlerand IDocHostUIHandler2 in that you implement it so the WebBrowser Control can call your IDocHostShowUI methods before it displays any messages or help menus of its own. This gives you a chance to prevent the WebBrowser Control from displaying anything and enables you to display your own custom message or help instead. IDocHostShowUI has two methods, IDocHostShowUI::ShowMessage and IDocHostShowUI::ShowHelp.
IDocHostShowUI::ShowMessage
Return S_OK to disable WebBrowser Control messages. Any other return value, like S_FALSE or E_NOTIMPL, allows the WebBrowser Control to display with its message box.
One nice thing you can do with this method is customize the message box captions for your application so they don't read "Microsoft Internet Explorer." You can do this by comparing the caption string in lpstrCaption with the string resource Internet Explorer uses, which is stored in Shdoclc.dll. It is identified by the symbol IDS_MESSAGE_BOX_TITLE, whose value is 2213. The following code snippet shows how you might do this.
HRESULT CBrowserHost::ShowMessage(HWND hwnd, LPOLESTR lpstrText, LPOLESTR lpstrCaption, DWORD dwType, LPOLESTR lpstrHelpFile, DWORD dwHelpContext, LRESULT *plResult) { USES_CONVERSION; TCHAR pBuffer[50]; // resource identifier for window caption "Microsoft Internet Explorer" #define IDS_MESSAGE_BOX_TITLE 2213 // Load Shdoclc.dll and the IE message box title string HINSTANCE hinstSHDOCLC = LoadLibrary(TEXT("SHDOCLC.DLL")); if (hinstSHDOCLC == NULL) { // Error loading module -- fail as securely as possible return; } LoadString(hinstSHDOCLC, IDS_MESSAGE_BOX_TITLE, pBuffer, 50); // Compare the IE message box title string with lpstrCaption // If they're the same, substitute your own Caption if (_tcscmp(OLE2T(lpstrCaption), pBuffer) == 0) lpstrCaption = L"Custom Caption"; // Create your own message box and display it *plResult = MessageBox(OLE2T(lpstrText), OLE2T(lpstrCaption), dwType); // Unload Shdoclc.dll and return FreeLibrary(hinstSHDOCLC); return S_OK; }
IDocHostShowUI::ShowHelp
This method is called whenever Internet Explorer Help would be shown, for instance when the F1 key is pressed, and works analogously toIDocHostShowUI::ShowMessage. Return S_OK to override Internet Explorer Help, or another HRESULT value to let Internet Explorer proceed with its Help.
Controlling Download and Execution
The WebBrowser Control gives you control over what it downloads, displays, and executes. To gain this control, you need to implement your host'sIDispatch so it handles DISPID_AMBIENT_DLCONTROL. When the WebBrowser Control is instantiated, it will call your IDispatch::Invoke with this ID. SetpvarResult to a combination of following flags, using the bitwise OR operator, to indicate your preferences.
- DLCTL_DLIMAGES, DLCTL_VIDEOS, and DLCTL_BGSOUNDS: Images, videos, and background sounds will be downloaded from the server and displayed or played if these flags are set. They will not be downloaded and displayed if the flags are not set.
- DLCTL_NO_SCRIPTS and DLCTL_NO_JAVA: Scripts and Java applets will not be executed.
- DLCTL_NO_DLACTIVEXCTLS and DLCTL_NO_RUNACTIVEXCTLS : ActiveX controls will not be downloaded or will not be executed.
- DLCTL_DOWNLOADONLY: The page will only be downloaded, not displayed.
- DLCTL_NO_FRAMEDOWNLOAD: The WebBrowser Control will download and parse a frameSet, but not the individual frame objects within theframeSet.
- DLCTL_RESYNCHRONIZE and DLCTL_PRAGMA_NO_CACHE: These flags cause cache refreshes. With DLCTL_RESYNCHRONIZE, the server will be asked for update status. Cached files will be used if the server indicates that the cached information is up-to-date. With DLCTL_PRAGMA_NO_CACHE, files will be re-downloaded from the server regardless of the update status of the files.
- DLCTL_NO_BEHAVIORS: Behaviors are not downloaded and are disabled in the document.
- DLCTL_NO_METACHARSET_HTML: Character sets specified in meta elements are suppressed.
- DLCTL_URL_ENCODING_DISABLE_UTF8 and DLCTL_URL_ENCODING_ENABLE_UTF8: These flags function similarly to theDOCHOSTUIFLAG_URL_ENCODING_DISABLE_UTF8 and DOCHOSTUIFLAG_URL_ENCODING_ENABLE_UTF8 flags used withIDocHostUIHandler::GetHostInfo. The difference is that the DOCHOSTUIFLAG flags are checked only when the WebBrowser Control is first instantiated. The download flags here for the ambient property change are checked whenever the WebBrowser Control needs to perform a download.
- DLCTL_NO_CLIENTPULL: No client pull operations will be performed.
- DLCTL_SILENT: No user interface will be displayed during downloads.
- DLCTL_FORCEOFFLINE: The WebBrowser Control always operates in offline mode.
- DLCTL_OFFLINEIFNOTCONNECTED and DLCTL_OFFLINE: These flags are the same. The WebBrowser Control will operate in offline mode if not connected to the Internet.
DISPID_AMBIENT_DLCONTROL and the flag values are defined in mshtmdid.h.
Initially, when the function call to IDispatch::Invoke starts, the VARIANT to which the parameter pvarResult points is of type VT_EMPTY. You must switch the type to VT_I4 for any settings to have an effect. You can place your flag values in the lVal member of the VARIANT.
Most of the flag values have negative effects, that is, they prevent behavior that normally happens. For instance, scripts are normally executed by theWebBrowser Control if you don't customize its behavior. But if you set the DLCTL_NOSCRIPTS flag, no scripts will execute in that instance of the control. However, three flags—DLCTL_DLIMAGES, DLCTL_VIDEOS, and DLCTL_BGSOUNDS—work exactly opposite. If you set flags at all, you must set these three for the WebBrowser Control to behave in its default manner vis-a-vis images, videos and sounds.
The following code sample causes a WebBrowser Control instance to download and display images and videos, but not background sounds, since the DLCTL_BGSOUNDS is not explicitly set. Also, script execution on pages displayed by the WebBrowser Control is disabled.
STDMETHODIMP CAtlBrCon::Invoke(DISPID dispidMember, REFIID riid, LCID lcid, WORD wFlags, DISPPARAMS* pDispParams, VARIANT* pvarResult, EXCEPINFO* pExcepInfo, UINT* puArgErr) { switch (dispidMember) { case DISPID_AMBIENT_DLCONTROL: pvarResult->vt = VT_I4; pvarResult->lVal = DLCTL_DLIMAGES | DLCTL_VIDEOS | DLCTL_NO_SCRIPTS; break; default: return DISP_E_MEMBERNOTFOUND; } return S_OK; }
IHostDialogHelper
IHostDialogHelper is an interface you can use to create dialog boxes according to your liking. This interface has one method,IHostDialogHelper::ShowHTMLDialog. This method provides the same service as the function ShowHTMLDialog, but it's a little easier to use.
To use IHostDialogHelper, you create the dialog helper object from scratch. Here's how you would do it using CoCreateInstance. The interface and IDs are defined in mshtmhst.h.
IHostDialogHelper* pHDH; IMoniker* pUrlMoniker; BSTR bstrOptions = SysAllocString(L"dialogHeight:30;dialogWidth:40"); BSTR bstrPath = SysAllocString(L"c:\\dialog.htm"); CreateURLMoniker(NULL, bstrPath, &pUrlMoniker); // Create the dialog helper object CoCreateInstance(CLSID_HostDialogHelper, NULL, CLSCTX_INPROC, IID_IHostDialogHelper, (void**)&pHDH); // Call ShowHTMLDialog to create your dialog box pHDH->ShowHTMLDialog(NULL, pUrlMoniker, NULL, bstrOptions, NULL, NULL); // Free resources SysFreeString(bstrPath); SysFreeString(bstrOptions); pUrlMoniker->Release(); pHDH->Release();
Controlling New Windows
One important way to take control of the WebBrowser Control is to control navigation. You saw earlier how you can intercept DISPID_BEFORENAVIGATE2 in an IDispatch::Invoke implementation to control where your WebBrowser Control will navigate. Another important aspect of navigation is to control how the navigation occurs, especially when opening new windows. Let's say, for instance, that the user clicks the right mouse button over a link and chooses "Open in New Window" or that a page contains a script like this:
window.open("www.msn.com");
By default, the WebBrowser Control deals with this code by opening a new instance of Internet Explorer to display the page. This may be fine for your application. But then again, it may not. Perhaps you'll want all links to open in your current WebBrowser Control instance. Or perhaps you'll want to open a link in a new WebBrowser Control instance under your control, with your user interface and with your branding.
You can intercept an event, DWebBrowserEvents2::NewWindow2, in your IDispatch implementation to control this. Your control needs to connect to theDWebBrowserEvents2 connection point to intercept this event.
Once you're connected to DWebBrowserEvents2, implement your IDispatch::Invoke so that it handles DISPID_NEWWINDOW2. During the IDispatch::Invokefunction call for DISPID_NEWWINDOW2, the array pDispParams contains two parameters. The first one, at index zero, is a Boolean value that tells theWebBrowser Control whether to cancel the new window or not. By default, it is FALSE and a new window will open. If you want to cancel new window creation completely, set the flag to TRUE.
The parameter at index one is a pointer to an IDispatch interface. You can set this parameter to the IDispatch of a WebBrowser Control that you've created. When you pass back an IDispatch like this, MSHTML will use the control you've given it to open the link.
Information Bar
Internet Explorer 6 for Windows XP SP2 introduced a new security UI element called the Information bar. The Information bar displays a UI element to users of Internet Explorer when certain actions are prevented. Specifically, it displays when the following are blocked.
- Pop-up window instantiation (see Pop-up Blocker)
- File downloads (see File Download Restrictions)
- ActiveX control installation (see ActiveX Restrictions)
- ActiveX control security prompts because of the user's security settings or because the control is not marked safe for scripting
- Files that have a mismatch between the file name extension and the MIME type (see MIME Handling)
- Content restricted by the network protocol lockdown (see Protocols)
- Internet Explorer 7 or later. Windows opened by the Microsoft JScript prompt method and the Microsoft Visual Basic Scripting Edition (VBScript) InputBox Function.
The Information bar is one of the feature controls introduced in Internet Explorer 6 for Windows XP SP2. Like the other feature controls, it is managed through a registry key (FEATURE_SECURITYBAND). Internet Explorer (iexplorer.exe) and Windows Explorer (explorer.exe) run under this feature control by default. The following shows the registry key and enabled processes.
SOFTWARE
Microsoft
Internet Explorer
Main
FeatureControl
FEATURE_SECURITYBAND
iexplorer.exe = 0x00000001
explorer.exe = 0x00000001
process name.exe = 0x00000001
The FEATURE_SECURITYBAND feature control only affects whether Internet Explorer displays the Information bar, which alerts the user that an action has been mitigated. It does not control the mitigation of the action.
An application hosting the WebBrowser Control can enable the Information bar by adding its process to this registry key. This can be done programmatically by using the CoInternetSetFeatureEnabled function. If an application does not run under this feature control, the WebBrowser Controlbehaves the same as Internet Explorer 6 SP1b.
There is no access to this feature through script.
Applications running under the FEATURE_SECURITYBAND and related feature controls can also use the Information bar APIs to customize the UI displayed when a URL action is disallowed. There are several new OLECMDID commands for the Information bar. The first three are part of the CGID_DocHostCommandHandler group. Hosting applications should implement IOleCommandTarget on their implementation of IDocHostUIHandler to receive IOleCommandTarget::Exec calls from the WebBrowser Control.
- OLECMDID_PAGEACTIONBLOCKED
- OLECMDID_PAGEACTIONUIQUERY
- OLECMDID_FOCUSVIEWCONTROLS
Hosting applications can use the following two new OLECMDID commands to make IOleCommandTarget::Exec calls on the WebBrowser Control.
- OLECMDID_FOCUSVIEWCONTROLSQUERY
- OLECMDID_SHOWPAGEACTIONMENU
POINT pt = { 0 }; GetCursorPos(&pt); CComVariant varHwnd((LONG)hwnd); CComVariant varX(pt.x); CComVariant varY(pt.y); SAFEARRAY* psa = SafeArrayCreateVector(VT_VARIANT, 0, 3); LONG lIndex = 0; SafeArrayPutElement(psa, &lIndex, &varHwnd); lIndex++; SafeArrayPutElement(psa, &lIndex, &varX); lIndex++; SafeArrayPutElement(psa, &lIndex, &varY); CComVariant varArgIn; V_VT(&varArgIn) = VT_ARRAY | VT_I4; V_ARRAY(&varArgIn) = psa; pBrowser-<>*Fix pointer operator!!ExecWB(OLECMDID_SHOWPAGEACTIONMENU, (OLECMDEXECOPT)dwPageActionFlags, &varArgIn, NULL);
Also, an application can override the default security zone settings by implementing IInternetSecurityManager. See Implementing a Custom Security Managerfor more information.
Conclusion
You now have a number of techniques at your disposal to customize the WebBrowser Control. This article is by no means exhaustive, but hopefully you also now have a sense of some of the possibilities you may discover on your own beyond the techniques in this article. Check out the Internet Explorer registry to see the kinds of information stored there that you can modify with IDocHostUIHandler::GetOptionKeyPath or IDocHostUIHandler2::GetOverrideKeyPath. Keep in mind that many registry settings are interdependent with others. You may have to do some experimentation to discover how particular registry settings can be customized effectively. You can also look into IDocHostUIHandler::GetDropTarget if you want to control what the WebBrowser Control does during drag-and-drop operations.
Related Topics
Part 1 of this tutorial introduced several of the standard hosting interfaces for the WebBrowser Control: IDocHostUIHandler, IDocHostShowUI, andICustomDoc, to name a few. Part 2 of this article explains how to retrieve a reference to the client site while processing IPersistMoniker::Load, and how to use the IServiceProvider and IOleCommandTarget interfaces to send messages between the Active document (DocObject) and its host.
- IPersistMoniker and IBindCtx
- IServiceProvider
- IOleCommandTarget
- Context Menus and Extensions
- References
IPersistMoniker and IBindCtx
When the WebBrowser Control determines that a hyperlinked resource is associated with a helper application, it creates an instance of the target application and prompts the Active document (DocObject) to load the resource by using the IPersistMoniker interface. Before the browser navigates to a document, it registers a reference to its IOleClientSite interface in the binding context by calling IBindCtx::RegisterObjectParam. This reference allows the DocObject to retrieve and use the client site during the call to IPersistMoniker::Load.
The following example demonstrates how to retrieve and set the client site from the binding context:
HRESULT CDoc::Load(BOOL fFullyAvailable, IMoniker *pimkName, LPBC pibc, DWORD grfMode) { HRESULT hr = S_OK; CComPtr<IUnknown> spUnk; CComPtr<IBindCtx> spBindCtx; // SHDOCVW puts the client site in the bind context. if (pibc) { pibc->GetObjectParam(SZ_HTML_CLIENTSITE_OBJECTPARAM, &spUnk); if (spUnk) { CComQIPtr<IOleClientSite> spSite(spUnk); if (spSite) { hr = SetClientSite(spSite); } } } }
IServiceProvider
The IServiceProvider interface is a generic access mechanism to locate a GUID-identified service that is provided through a control or any other object. Using IServiceProvider::QueryService, the caller specifies a service identifier (SID), the IID of the desired interface, and the address of the interface pointer variable that is set upon a successful return.
In many ways, IServiceProvider::QueryService functions like QueryInterface. However, the more adaptable IServiceProvider mechanism enables an implementer to delegate the query to one of its member objects, or to hand off the request to a callback hierarchy that searches for an object to support the requested IID. In this way, the implementer is not required to recognize the requested interfaces. In common usage, IServiceProvider::QueryService is used to improve the discoverability of some interfaces.
QueryService Example
For example, a call to QueryService with SID_SShellBrowser
retrieves the nearest shell browser, such as the Windows Internet Explorer WebBrowser Control. If the DocObject is hosted in the search pane, this technique will prevent it from mistakenly executing commands on the main browser window.SID_SShellBrowser
service is specific to the WebBrowser control; any DocObject that implements the IBrowserService interface should respond to queries for this service.
The following example demonstrates this basic scenario:
CComPtr<IServiceProvider> pSvc; CComPtr<IShellBrowser> pShb; HRESULT hr; hr = m_pUnk->QueryInterface(IID_IServiceProvider, &pSvc); if (S_OK == hr && pSvc) { hr = pSvc->QueryService(SID_SShellBrowser, IID_IShellBrowser, &pShb); if (E_NOINTERFACE == hr) return; // pSvc released automatically. // . . . Use the interface here. }
CLSID_CMarkup
The special CLSID_CMarkup
GUID is used to determine whether an object is a native MSHTML markup object. No code except Internet Explorer should use this CLSID. Your QueryService or QueryInterface implementation should return E_NOINTERFACE if invoked with this GUID.
DEFINE_GUID(CLSID_CMarkup, 0x3050F4FB, 0x98B5, 0x11CF, 0xBB, 0x82, 0, 0xAA, 0, 0xBD, 0xCE, 0x0B);
CLSID_CMarkup
to obtain an object pointer without adding a reference. In other words, the out parameter ppv does not receive an interface pointer; it contains the address of the object behind pUnknown.IOleCommandTarget
The IOleCommandTarget interface enables objects and their containers to dispatch commands to each other. Available commands are defined by integer identifiers from a command group, which is itself identified by command group ID (also a GUID). The interface enables a caller to query for one or more supported commands within a group and to issue a command to the object.
The WebBrowser Control uses the IOleCommandTarget interface extensively. The following sections highlight just a few of the ways that the client site can communicate with its control.
Showing a Certificate Dialog
With Microsoft Internet Explorer 6 for Windows XP Service Pack 2 (SP2) and later, you can show the Certificate dialog box when the user is viewing a valid Secure Hypertext Transfer Protocol (HTTPS) site. This has the same result as the user clicking the lock icon in Internet Explorer. You can use theDWebBrowserEvents2::SetSecureLockIcon event to show your own icon.
#define SHDVID_SSLSTATUS 33 IOleCommandTarget *pct; if (SUCCEEDED(pWebBrowser2->QueryInterface(IID_IOleCommandTarget, (void **)&pct))) { pct->Exec(&CGID_ShellDocView, SHDVID_SSLSTATUS, 0, NULL, NULL); pct->Release(); }
Controlling Navigation (Revisited)
If the MSHTML control is aggregated, the controlling DocObject is in a position to regulate navigation events. The fact that a document can navigate on its own implies that it will also take care of updating the navigation history.
In Internet Explorer 6 and later, the DocObject can indicate to the client site that it can navigate using CGID_DocHostCmdPriv
(a privately defined command group GUID) and the DOCHOST_DOCCANNAVIGATE command. A pointer to the object that implements the IHTMLWindow2 interface is passed with the command in the VARIANTARG* parameter pvaIn. (Set pvaIn to NULL if the document cannot perform its own navigation.)
DEFINE_GUID(CGID_DocHostCmdPriv, 0x000214D4L, 0, 0, 0xC0, 0, 0, 0, 0, 0, 0, 0x46); #define DOCHOST_DOCCANNAVIGATE 0 // Create variant, and initialize with a pointer to our IUnknown. VARIANTARG var; V_VT(&var) = VT_UNKNOWN; V_UNKNOWN(&var) = (IUnknown*)this; // Execute IOleCommandTarget with command group and ID. m_pCmdTarg->Exec(&CGID_DocHostCmdPriv, DOCHOST_DOCCANNAVIGATE, 0L, &var, NULL);
Specifying the Zone Icon
In conjunction with CGID_Explorer
, the SBCMDID_MIXEDZONE command is used to determine the zone icon and text displayed in the Internet Explorer status bar.
Active document objects hosted in Internet Explorer 6 for Windows XP SP2 or later can respond to the SBCMDID_MIXEDZONE command to determine the zone icon and text displayed in the Internet Explorer status bar. The document object should implement IOleCommandTarget, and Internet Explorer callsIOleCommandTarget::Exec with the CGID_Explorer command group.
To specify the zone icon:
Define
SBCMDID_MIXEDZONE
.#define SBCMDID_MIXEDZONE 39
Initialize pvaOut with VariantInit.
Determine the zone you want to specify and then set pvaOut as follows. To specify:
- Internet, Intranet, Trusted or Untrusted zones: set pvaOut->vt to VT_UI4, and set pvaOut->ulVal to URLZONE_INTERNET, URLZONE_INTRANET, URLZONE_TRUSTED or URLZONE_UNTRUSTED respectively.
- A mixed zone: set pvaOut->vt to VT_NULL.
- An unknown zone: set pvaOut->vt to VT_EMPTY.
If an active document does not handle SBCMDID_MIXEDZONE, the default behavior will show Unknown Zone in the status bar.
More Examples of Commands
The IDM_CONTEXT command (CGID_EditStateCommands
command group) is used to determine whether editing commands should be routed to the host first. An IOleCommandTarget implementation returns S_OK to indicate that editing commands should be routed to the host first.
If the host is designed to handle editing commands, it will respond to the SID_SEditCommandTarget
service identifier by providing an IOleCommandTargetinterface to process editing commands. The editing commands are defined in the CGID_MSHTML
command group, as shown in the following code.
DEFINE_GUID(CGID_MSHTML, 0xde4ba900, 0x59ca, 0x11cf, 0x95, 0x92, 0x44, 0x45, 0x53, 0x54, 0, 0);
For more information on editing commands, see Introduction to MSHTML Editing and MSHTML Command Identifiers reference.
Context Menus and Extensions
The IDocHostUIHandler::ShowContextMenu method was introduced in part one of this article. The IDocHostUIHandler interface is designed to be overridden by applications that host the WebBrowser control. It is not intended for use by Browser Helper Objects (BHOs) because, in addition to the problem of appending items to the standard menu discussed below, only one add-on at a time can override IDocHostUIHandler and multiple add-ons can easily conflict with each other.
The following examples demonstrate how to use the IOleCommandTarget interface with SHDVID_GETMIMECSETMENU and SHDVID_ADDMENUEXTENSIONS (CGID_ShellDocView
command group) to add and remove custom menu options from the standard Internet Explorer context menu:
#define SHDVID_GETMIMECSETMENU 27 #define SHDVID_ADDMENUEXTENSIONS 53
In Internet Explorer 6 and earlier, the WebBrowser Control gets its context menu resources from Shdoclc.dll. The following code loads the WebBrowser Control shortcut menu resource from Shdoclc.dll, chooses the correct menu for the context, loads language and extension resources from the registry, removes the menu item corresponding to the IDM_VIEWSOURCE command, and then displays the pop-up menu.
HRESULT CBrowserHost::ShowContextMenu(DWORD dwID, POINT *ppt, IUnknown *pcmdTarget, IDispatch *pdispObject) { #define IDR_BROWSE_CONTEXT_MENU 24641 #define SHDVID_GETMIMECSETMENU 27 #define SHDVID_ADDMENUEXTENSIONS 53 HRESULT hr; HINSTANCE hinstSHDOCLC; HWND hwnd; HMENU hMenu; CComPtr<IOleCommandTarget> spCT; CComPtr<IOleWindow> spWnd; MENUITEMINFO mii = {0}; CComVariant var, var1, var2; hr = pcmdTarget->QueryInterface(IID_IOleCommandTarget, (void**)&spCT); hr = pcmdTarget->QueryInterface(IID_IOleWindow, (void**)&spWnd); hr = spWnd->GetWindow(&hwnd); hinstSHDOCLC = LoadLibrary(TEXT("SHDOCLC.DLL")); if (hinstSHDOCLC == NULL) { // Error loading module -- fail as securely as possible. return; } hMenu = LoadMenu(hinstSHDOCLC, MAKEINTRESOURCE(IDR_BROWSE_CONTEXT_MENU)); hMenu = GetSubMenu(hMenu, dwID); // Get the language submenu. hr = spCT->Exec(&CGID_ShellDocView, SHDVID_GETMIMECSETMENU, 0, NULL, &var); mii.cbSize = sizeof(mii); mii.fMask = MIIM_SUBMENU; mii.hSubMenu = (HMENU) var.byref; // Add language submenu to Encoding context item. SetMenuItemInfo(hMenu, IDM_LANGUAGE, FALSE, &mii); // Insert Shortcut Menu Extensions from registry. V_VT(&var1) = VT_INT_PTR; V_BYREF(&var1) = hMenu; V_VT(&var2) = VT_I4; V_I4(&var2) = dwID; hr = spCT->Exec(&CGID_ShellDocView, SHDVID_ADDMENUEXTENSIONS, 0, &var1, &var2); // Remove View Source. DeleteMenu(hMenu, IDM_VIEWSOURCE, MF_BYCOMMAND); // Show shortcut menu. int iSelection = ::TrackPopupMenu(hMenu, TPM_LEFTALIGN | TPM_RIGHTBUTTON | TPM_RETURNCMD, ppt->x, ppt->y, 0, hwnd, (RECT*)NULL); // Send selected shortcut menu item command to shell. LRESULT lr = ::SendMessage(hwnd, WM_COMMAND, iSelection, NULL); FreeLibrary(hinstSHDOCLC); return S_OK; }
Appending Extensions to Your Custom Menu
In the previous example, the menu (hMenu) and menu context identifier (dwID) are passed as arguments to the IOleCommandTarget with the SHDVID_ADDMENUEXTENSIONS command. This operation inserts the registered menu extensions into the menu.
If you choose to replace the standard menu with your own, you can still append menu extensions to your custom menu. Simply include a blank IDM_MENUEXT_PLACEHOLDER menu option in your menu definition to indicate where the custom commands are to be inserted. Then pass your own menu as the command target. Menu extensions will be inserted just before the placeholder.
You can also add your own custom command to the standard menu by inserting the menu option before IDM_MENUEXT_PLACEHOLDER, as shown in the following example.
#define IDM_MENUEXT_PLACEHOLDER 6047 // If the placeholder is gone or was never there, then just exit. if (GetMenuState(hMenu, IDM_MENUEXT_PLACEHOLDER, MF_BYCOMMAND) != (UINT) -1) { InsertMenu(hMenu, // The Context Menu IDM_MENUEXT_PLACEHOLDER, // The item to insert before MF_BYCOMMAND|MF_STRING, // Insert by item ID and str value IDM_MENUEXT_FIRST__ + nExtCur, // The command ID (LPTSTR)aOpts[nExtCur].pstrText);// Some menu command text // Remove placeholder. DeleteMenu(hMenu, IDM_MENUEXT_PLACEHOLDER, MF_BYCOMMAND); }
The menu IDs for extensions fall between IDM_MENUEXT_FIRST__ and IDM_MENUEXT_LAST__ for a maximum of 32 custom commands.
Enabling and Disabling Menu Items
The menus in Internet Explorer use resource identifiers from mshtmcid.h
to specify which command is executed when the menu item is clicked. Using the same resource IDs, you can easily determine whether the command has been enabled or disabled by calling IOleCommandTarget::QueryStatus, as shown in the following code snippet.
for (i = 0; i < GetMenuItemCount(hMenu); i++) { OLECMD olecmd.cmdID = GetMenuItemID(hMenu, i); if (olecmd.cmdID > 0) { UINT mf; spCmdTarget->QueryStatus(&CGID_MSHTML, 1, &olecmd, NULL); switch (olecmd.cmdf) { case OLECMDSTATE_UP: case OLECMDSTATE_NINCHED: mf = MF_BYCOMMAND | MF_ENABLED | MF_UNCHECKED; break; case OLECMDSTATE_DOWN: mf = MF_BYCOMMAND | MF_ENABLED | MF_CHECKED; break; case OLECMDSTATE_DISABLED: default: mf = MF_BYCOMMAND | MF_DISABLED | MF_GRAYED; break; } CheckMenuItem(hMenu, olecmd.cmdID, mf); EnableMenuItem(hMenu, olecmd.cmdID, mf); } }
References
The following table indicates where the identifiers described in this article are defined:
Identifier | Header File |
---|---|
CGID_EditStateCommands | Mshtml.h |
CGID_Explorer | Shlguid.h |
CGID_MSHTML | Mshtmhst.h |
CGID_ShellDocView | Shlguid.h |
IDM_CONTEXT | Mshtmcid.h |
SID_SEditCommandTarget | Mshtml.h |
SID_SShellBrowser | Shlguid.h |
SZ_HTML_CLIENTSITE_OBJECTPARAM | Mshtmhst.h |
'C/C++ > VC++ / MFC' 카테고리의 다른 글
[VC++] 모듈 정의 파일(.def)을 이용해서 EXPORTS 시키기 (0) | 2013.03.08 |
---|---|
[C++] C++11 (0) | 2013.01.29 |
[VC++] visual studio 2008 Excel Automation "\excel.tlh(1219) : error C2371: 'FontPtr' : redefinition; different basic types" (0) | 2011.08.05 |
[MFC] MFC에서 Token 분리 (0) | 2011.07.21 |
[MFC] CListCtrl 현재 행 선택하기 (0) | 2011.03.20 |
트랙백
댓글
글
'.Net > .Net' 카테고리의 다른 글
[.Net] Zlib Wrapper (0) | 2012.05.22 |
---|---|
[.Net] Inter-Process Communication (0) | 2012.04.17 |
[.Net] 관리코드에서 메모리 누수 및 방지 (0) | 2012.04.11 |
[.Net] 가비지 수집 모니터링 (0) | 2012.04.11 |
[.Net] CLR Inside Out: 메모리 문제 조사 (0) | 2012.04.10 |
트랙백
댓글
글
'.Net > C#' 카테고리의 다른 글
[C#] StackTrace (0) | 2013.01.08 |
---|---|
[C#] DllImportAttribut 멤버 (0) | 2013.01.04 |
[C#] Assembly Version Loading (0) | 2012.04.06 |
[C#] VS 2008 서식 자동 해제 (0) | 2012.04.06 |
[C#] log4net (0) | 2012.04.03 |
트랙백
댓글
글
'.Net > XtraGrid' 카테고리의 다른 글
[XtraGrid] XtraGrid Option (0) | 2013.01.24 |
---|---|
[XtraGrid] Copy & Paste 구현 (0) | 2012.04.11 |
[XtraGrid] How to make my grid columns read-only (0) | 2012.04.08 |
[XtraGrid] Checkbox 구현하기 (1) | 2012.04.06 |
[XtraGrid] Fixed Columns (0) | 2012.04.05 |
RECENT COMMENT