bestsource

술어 대리자란 무엇이며 어디에서 사용해야 합니까?

bestsource 2023. 5. 9. 22:53
반응형

술어 대리자란 무엇이며 어디에서 사용해야 합니까?

설명해 주시겠습니까?

  • 술어 대리자란 무엇입니까?
  • 술어는 어디에 써야 하나요?
  • 술어를 사용할 때 모범 사례가 있습니까?

설명적인 소스 코드를 알려주시면 감사하겠습니다.

술어는 다음을 반환하는 함수입니다.true또는false술어 대리인은 술어에 대한 참조입니다.

따라서 기본적으로 술어 대리인은 다음과 같은 함수를 반환하는 참조입니다.true또는false술어는 값 목록을 필터링하는 데 매우 유용합니다. 예를 들어 보겠습니다.

using System;
using System.Collections.Generic;

class Program
{
    static void Main()
    {
        List<int> list = new List<int> { 1, 2, 3 };

        Predicate<int> predicate = new Predicate<int>(greaterThanTwo);

        List<int> newList = list.FindAll(predicate);
    }

    static bool greaterThanTwo(int arg)
    {
        return arg > 2;
    }
}

이제 C# 3을 사용하는 경우 람다를 사용하여 술어를 더 깨끗한 방식으로 나타낼 수 있습니다.

using System;
using System.Collections.Generic;

class Program
{
    static void Main()
    {
        List<int> list = new List<int> { 1, 2, 3 };

        List<int> newList = list.FindAll(i => i > 2);
    }
}

c#2와 c#3에 대한 Andrew의 답변에서 계속해서...원 오프 검색 기능에 대해서도 인라인으로 수행할 수 있습니다(아래 참조).

using System;
using System.Collections.Generic;

class Program
{
    static void Main()
    {
        List<int> list = new List<int> { 1, 2, 3 };

        List<int> newList = list.FindAll(delegate(int arg)
                           {
                               return arg> 2;
                           });
    }
}

이게 도움이 되길 바랍니다.

부울을 반환하는 대리자일 뿐입니다.필터링 목록에서 많이 사용되지만 원하는 곳에서 사용할 수 있습니다.

List<DateRangeClass>  myList = new List<DateRangeClass<GetSomeDateRangeArrayToPopulate);
myList.FindAll(x => (x.StartTime <= minDateToReturn && x.EndTime >= maxDateToReturn):

여기 술어에 대한 좋은 기사가 있습니다. 비록 그것은 의 것이지만.NET2 시대에는 람다 표현에 대한 언급이 없습니다.

술어 대리자란 무엇입니까?

술어는 참 또는 거짓을 반환하는 기능입니다.이 개념은 .net 2.0 프레임워크에 포함되어 있습니다.람다 식(=>)과 함께 사용되고 있습니다.제네릭 형식을 인수로 사용합니다.술어 함수를 정의하고 다른 함수에 매개 변수로 전달할 수 있습니다.그것은 특별한 경우입니다.Func하나의 매개 변수만 사용하고 항상 bool을 반환한다는 점에서.

C# 네임스페이스에서:

namespace System
{   
    public delegate bool Predicate<in T>(T obj);
}

시스템 네임스페이스에 정의되어 있습니다.

술어 대리인을 어디서 사용해야 합니까?

다음과 같은 경우에는 술어 대리자를 사용해야 합니다.

일반 컬렉션의 항목을 검색하는 데 사용됩니다.

var employeeDetails = employees.Where(o=>o.employeeId == 1237).FirstOrDefault();

코드를 단축하고 true 또는 false를 반환하는 기본 예제:

Predicate<int> isValueOne = x => x == 1;

자, 위의 서술어를 호출합니다.

Console.WriteLine(isValueOne.Invoke(1)); // -- returns true.

다음과 같이 익명 메서드를 술어 대리자 유형에 할당할 수도 있습니다.

Predicate<string> isUpper = delegate(string s) { return s.Equals(s.ToUpper());};
    bool result = isUpper("Hello Chap!!");

술어에 대한 모범 사례가 있습니까?

술어 대신 펑, 람다 식 및 대리인을 사용합니다.

술어 기반 검색 방법을 사용하면 메서드 대리자 또는 람다 식에서 지정된 요소가 "일치"인지 여부를 결정할 수 있습니다.술어는 단순히 객체를 수락하고 참 또는 거짓을 반환하는 대리인입니다: 공개 대리인 술어(T 객체);

   static void Main()
        {
            string[] names = { "Lukasz", "Darek", "Milosz" };
            string match1 = Array.Find(names, delegate(string name) { return name.Contains("L"); });
            //or
            string match2 = Array.Find(names, delegate(string name) { return name.Contains("L"); });
            //or
            string match3 = Array.Find(names, x => x.Contains("L"));


            Console.WriteLine(match1 + " " + match2 + " " + match3);     // Lukasz Lukasz Lukasz
        }
        static bool ContainsL(string name) { return name.Contains("L"); }

VB 9(VS2008)의 경우, 술어는 복잡한 함수가 될 수 있습니다.

Dim list As New List(Of Integer)(New Integer() {1, 2, 3})
Dim newList = list.FindAll(AddressOf GreaterThanTwo)
...
Function GreaterThanTwo(ByVal item As Integer) As Boolean
    'do some work'
    Return item > 2
End Function

또는 표현식이 하나인 경우 서술어를 람다로 쓸 수 있습니다.

Dim list As New List(Of Integer)(New Integer() {1, 2, 3})
Dim newList = list.FindAll(Function(item) item > 2)

술어는 C#에서 일반 대리인 범주에 속합니다.이것은 하나의 인수로 호출되며 항상 부울 형식을 반환합니다.기본적으로 술어는 true/false 조건을 검정하는 데 사용됩니다.많은 클래스가 서술어를 인수로 지원합니다.예를 들어 list.findall은 매개 변수 술어를 예상합니다.여기 술어의 예가 있습니다.

서명이 있는 함수 포인터를 상상합니다.

<modifier> bool delegate myDelegate<in T>(T match);

다음은 예입니다.

Node.cs :

namespace PredicateExample
{
    class Node
    {
        public string Ip_Address { get; set; }
        public string Node_Name { get; set; }
        public uint Node_Area { get; set; }
    }
}

주 클래스:

using System;
using System.Threading;
using System.Collections.Generic;

namespace PredicateExample
{
    class Program
    {
        static void Main(string[] args)
        {
            Predicate<Node> backboneArea = Node =>  Node.Node_Area == 0 ;
            List<Node> Nodes = new List<Node>();
            Nodes.Add(new Node { Ip_Address = "1.1.1.1", Node_Area = 0, Node_Name = "Node1" });
            Nodes.Add(new Node { Ip_Address = "2.2.2.2", Node_Area = 1, Node_Name = "Node2" });
            Nodes.Add(new Node { Ip_Address = "3.3.3.3", Node_Area = 2, Node_Name = "Node3" });
            Nodes.Add(new Node { Ip_Address = "4.4.4.4", Node_Area = 0, Node_Name = "Node4" });
            Nodes.Add(new Node { Ip_Address = "5.5.5.5", Node_Area = 1, Node_Name = "Node5" });
            Nodes.Add(new Node { Ip_Address = "6.6.6.6", Node_Area = 0, Node_Name = "Node6" });
            Nodes.Add(new Node { Ip_Address = "7.7.7.7", Node_Area = 2, Node_Name = "Node7" });

            foreach( var item in Nodes.FindAll(backboneArea))
            {
                Console.WriteLine("Node Name " + item.Node_Name + " Node IP Address " + item.Ip_Address);
            }

            Console.ReadLine();
        }
    }
}

간단히 말해서 -> 주로 쿼리에 사용되는 조건을 기준으로 참/거짓 값을 제공합니다. 대부분 딜러와 함께 사용됩니다.

리스트의 예를 생각해 보다.

List<Program> blabla= new List<Program>();
        blabla.Add(new Program("shubham", 1));
        blabla.Add(new Program("google", 3));
        blabla.Add(new Program("world",5));
        blabla.Add(new Program("hello", 5));
        blabla.Add(new Program("bye", 2));

이름과 나이를 포함합니다.이제 조건부로 이름을 찾고 싶다고 해요. 제가 사용하겠습니다.

    Predicate<Program> test = delegate (Program p) { return p.age > 3; };
        List<Program> matches = blabla.FindAll(test);
        Action<Program> print = Console.WriteLine;
        matches.ForEach(print);

단순성을 유지하기 위해 노력했습니다!

위임자는 특정 서명으로 메서드를 캡슐화하는 데 사용할 수 있는 참조 유형을 정의합니다.C# 대리자 수명 주기:C# 대리자의 수명 주기는

  • 선언.
  • 인스턴스화
  • 휴가

자세한 내용은 http://asp-net-by-parijat.blogspot.in/2015/08/what-is-delegates-in-c-how-to-declare.html 을 참조하십시오.

언급URL : https://stackoverflow.com/questions/556425/what-is-a-predicate-delegate-and-where-should-it-be-used

반응형