Although not entirely as easy as c#, following might work for you.
  with Lock(mySharedObj) do
  begin
    //...do something with mySharedObj
    UnLock;
  end;
In a nutshell
- a list is kept for every instance you wish to protect.
- when a second thread cals the Lock(mySharedObj), the internal list will be searched for an existing lock. A new lock will be created if no existing lock is found. The new  thread will be blocked if another thread still has the lock.
- the Unlockis necessary because we can not be sure that the reference to the ILock instance only will get out of scope at the end of the method callingLock. (If we could, theUnlockcould be removed).
Note that in this design, one TLock gets created for every object instance you wish to protect without it being freed until the application terminates.
This could be factored in but it would involve messing around with _AddRef & _Release.
unit uLock;
interface
type
  ILock = interface
    ['{55C05EA7-D22E-49CF-A337-9F989006D630}']
    procedure UnLock;
  end;
function Lock(const ASharedObj: TObject): ILock;
implementation
uses
  syncobjs, classes;
type
  _ILock = interface
    ['{BAC7CDD2-0660-4375-B673-ECFA2BA0B888}']
    function SharedObj: TObject;
    procedure Lock;
  end;
  TLock = class(TInterfacedObject, ILock, _ILock)
  private
    FCriticalSection: TCriticalSection;
    FSharedObj: TObject;
    function SharedObj: TObject;
  public
    constructor Create(const ASharedObj: TObject);
    destructor Destroy; override;
    procedure Lock;
    procedure UnLock;
  end;
var
  Locks: IInterfaceList;
  InternalLock: TCriticalSection;
function Lock(const ASharedObj: TObject): ILock;
var
  I: Integer;
begin
  InternalLock.Acquire;
  try
    //***** Does a lock exists for given Shared object
    for I := 0 to Pred(Locks.Count) do
      if (Locks[I] as _ILock).SharedObj = ASharedObj then
      begin
        Result := ILock(Locks[I]);
        Break;
      end;
    //***** Create and add a new lock for the shared object
    if not Assigned(Result) then
    begin
      Result := TLock.Create(ASharedObj);
      Locks.Add(Result);
    end;
  finally
    InternalLock.Release;
  end;
  (Result as _ILock).Lock;
end;
{ TLock }
constructor TLock.Create(const ASharedObj: TObject);
begin
  inherited Create;
  FSharedObj := ASharedObj;
  FCriticalSection := TCriticalSection.Create;
end;
destructor TLock.Destroy;
begin
  FCriticalSection.Free;
  inherited Destroy;
end;
procedure TLock.Lock;
begin
  FCriticalSection.Acquire;
end;
function TLock.SharedObj: TObject;
begin
  Result := FSharedObj;
end;
procedure TLock.UnLock;
begin
  FCriticalSection.Release;
end;
initialization
  Locks := TInterfaceList.Create;
  InternalLock := TCriticalSection.Create;
finalization
  InternalLock.Free;
  Locks := nil
end.