اف شارپ

اف شارپ (به انگلیسی: F Sharp) (به اختصار: #F) یک نمونهٔ عالی از زبان‌های تایپ قوی (سریع) و چند الگویی می‌باشد که از تکنیک‌های یا (الگوهای): برنامه‌نویسی تابعی، امری و شیءگرایی پشتیبانی می‌کند. از F# اغلب به عنوان یک زبان CLI کراس پلت فرم استفاده می‌شود اما از این زبان می‌توان برای تولید کدهای جاوا اسکریپت و کار با GPU استفاده کرد.
F# توسط بنیاد نرم‌افزاری F# توسعه پیدا کرده‌است که شامل: مایکروسافت و بقیه همکاران می‌باشد. متن بازبودن و کامپایلر کراس پلتفرم این امکان را به F# می‌دهد تا از آن برای تولید نرم‌افزارهای بنیادی، اصلی و انواع kernelها و … مورد استفاد قرار بگیرد. یکی دیگر از مزیت‌های این زبان پشتیبانی کامل Visual Studio از این زبان می‌باشد به گونه ای که از نسخه ۲۰۰۸ به بعد در تمامی نسخه‌های ویژوال استودیو از این زبان پشتیبانی کامل به عمل آمده که شامل:

  1. ویژوال استودیو 2010: F# ۲٫۰
  2. ویژوال استودیو 2012: F# ۳٫۰
  3. ویژوال استودیو 2013: F# ۳٫۱
اف شارپ
الگو برنامه‌نویسیتابعی، دستوری، شئ گرا، metaprogramming, concurrent
طراحی شده توسطمؤسسه تحقیقاتی مایکروسافت، Don Syme
توسعه‌دهندهMicrosoft, The F# Software Foundation
ظهوریافته در۲۰۰۵ (version ۱٫۰) (۲۰۰۵ (version ۱٫۰))
انتشار پایدار
۴٫۵[1]
۲۴ ژانویه ۲۰۱۴ (۲۰۱۴-01-۲۴)
ایستا، وابستگی زیاد و کم به نوع، Type inference
سیستم‌عاملچندسکویی (چارچوب دات‌نت، مونو، جاوااسکریپت)
پروانهپروانه ام‌آی‌تی
fs, .fsi, .fsx, .fsscript.
وبگاه
متأثر از
#C، ارلنگ، هسکل، ام‌ال، اکمل، پایتون (زبان برنامه‌نویسی)، اسکالا
تأثیر گذاشته بر
#C, الم، F* (programming language), LiveScript

    F Sharp Programming در ویکی‌کتاب (انگلیسی)

    می‌باشند و همچنین از دیگر ابزارهای توسعه دهنده گان که از زبان F# پشتیبانی می‌کنند، می‌توان به: Mono, MonoDevelop, SharpDevelop and WebSharper اشاره کرد.
    F# الهام گرفته شده از زبان برنامه‌نویسی ML بوده و تحت تأثیر زبان‌های OCaml, C#, Python, Haskell, Scala and Erlang توسعه پیدا کرده‌است.

    Overview

    Functional programming

    F# is a strongly typed functional-first language that uses type inference. Types do not need to be explicitly declared by the programmer; they will be deduced by the compiler during compilation. F# also allows explicit type annotations and requires them in some situations.

    F# is an expression-based language using eager evaluation. Every statement in F#, including if expressions, try expressions and loops, is a composable expression with a static type.[2] Functions and expressions that do not return any value have a return type of unit. F# uses the let keyword for binding values to a name.[2] For example:

    let x = 3 + 4
    

    binds the value 7 to the name x.

    New types are defined using the type keyword. For functional programming, F# provides tuple, record, discriminated union, list and option types.[2] A tuple represents a collection of n values, where n ≥ 0. The value n is called the arity of the tuple. A 3-tuple would be represented as (A, B, C), where A, B and C are values of possibly different types. A tuple can be used to store values only when the number of values is known at design-time and stays constant throughout execution.

    A record is a type where the data members are named, as in { Name:string; Age:int }. Records can be created as { Name="AB"; Age=42 }. The with keyword is used to create a copy of a record, as in { r with Name="CD" }, which creates a new record by copying r and changing the value of the Name field (assuming the record created in the last example was named r).

    A discriminated union type is a type-safe version of C unions. For example,

     type A =
        | UnionCaseX of string
        | UnionCaseY of int
    

    Values of the union type can correspond to either union case. The types of the values carried by each union case is included in the definition of each case.

    The list type is an immutable linked list represented either using a head::tail notation (:: is the cons operator) or a shorthand as [item1; item2; item3]. An empty list is written []. The option type is a discriminated union type with choices Some(x) or None. F# types may be generic, implemented as generic .NET types.

    F# supports lambda functions and closures.[2] All functions in F# are first class values and are immutable.[2] Functions can be curried. Being first-class values, functions can be passed as arguments to other functions. Like other functional programming languages, F# allows function composition using the >> and << operators.

    F# provides sequence expressions[3] that define a sequence seq { ... }, list [...] or array [| ... |] through code that generates values. For example,

     seq { for b in 0 .. 25 do
     if b <15 then
                   yield b*b }
    

    forms a sequence of squares of numbers from 0 to 14 by filtering out numbers from the range of numbers from 0 to 25. Sequences are generated on-demand (i.e. are lazily evaluated), while lists and arrays are evaluated eagerly.

    F# uses تطبیق الگو to bind values to names. Pattern matching is also used when accessing discriminated unions - the union is value matched against pattern rules and a rule is selected when a match succeeds. F# also supports Active Patterns as a form of extensible pattern matching.[4] It is used, for example, when multiple ways of matching on a type exist.[2]

    F# supports a general syntax for defining compositional computations called computation expressions. Sequence expressions, asynchronous computations and queries are particular kinds of computation expressions. Computation expressions are an implementation of the monad pattern.[3]

    Imperative programming

    F# support for imperative programming includes

    • for loops
    • while loops
    • arrays, created with the [| ... |] syntax
    • hash table, created with the dict [...] syntax or System.Collections.Generic.Dictionary<_,_> type).

    Values and record fields can also be labelled as mutable. For example:

    // Define 'x' with initial value '1'
    let mutable x = 1
    // Change the value of 'x' to be '3'
    x <- 3
    

    In addition, F# supports access to all CLI types and objects such as those defined in the System.Collections.Generic namespace defining imperative data structures.

    Object programming

    F#, like other CLI languages, can use CLI types and objects through object programming.[2] F# support for object programming in expressions includes:

    • dot-notation (e.g. x.Name)
    • object expressions (e.g. { new obj() with member x.ToString() = "hello" })
    • object construction (e.g. new Form())
    • type tests (e.g. x :? string)
    • type coercions (e.g. x :?> string)
    • named arguments (e.g. x.Method(someArgument=1))
    • named setters (e.g. new Form(Text="Hello"))
    • optional arguments (e.g. x.Method(OptionalArgument=1)

    Support for object programming in patterns includes

    • type tests (e.g. :? string as s)
    • active patterns, which can be defined over object types.[4]

    F# object type definitions can be class, struct, interface, enum or delegate type definitions, corresponding to the definition forms found in the C#. For example, here is a class with a constructor taking a name and age, and declaring two properties.

    /// A simple object type definition
    type Person(name : string, age : int) =
        member x.Name = name
        member x.Age = age
    

    Asynchronous programming

    F# supports asynchronous programming through asynchronous workflows.[5] An asynchronous workflow is defined as a sequence of commands inside an async{ ... }, as in

    let asynctask =
        async { let req = WebRequest.Create(url)
                let! response = req.GetResponseAsync()
                use stream = response.GetResponseStream()
                use streamreader = new System.IO.StreamReader(stream)
                return streamreader.ReadToEnd() }
    

    The let! allows the rest of the async block to be defined as the delegate and passed as the callback function of an asynchronous operation. This solves the inversion of control problem.[5] The async block is invoked using the Async.RunSynchronously function. Multiple async blocks are executed in parallel using the Async.Parallel function that takes a list of async objects (in the example, asynctask is an async object) and creates another async object to run the tasks in the lists in parallel. The resultant object is invoked using Async.RunSynchronously.[5]

    Parallel programming

    Parallel programming is supported partly through the Async.Parallel, Async.Start and other operations that run asynchronous blocks in parallel.

    Parallel programming is also supported through the Array.Parallel functional programming operators in the F# standard library, direct use of the System.Threading.Tasks task programming model, the direct use of .NET thread pool and .NET threads and through dynamic translation of F# code to alternative parallel execution engines such as GPU[6] code.

    Units of measure

    The F# type system supports units of measure checking for numbers.[7] The units of measure feature integrates with F# type inference to require minimal type annotations in user code.[8]

    Metaprogramming

    F# allows some forms of syntax customization to support embedding custom domain-specific languages within the F# language itself, particularly through computation expressions.[2]

    F# includes a feature for run-time meta-programming called quotations.[9] A quotation expression evaluates to an abstract syntax representation of F# expressions. A definition labelled with the [<ReflectedDefinition>] attribute can also be accessed in its quotation form. F# quotations are used for various purposes including to compile F# code to جاوااسکریپت[10] and GPU[6] code.

    Information rich programming

    F# 3.0 introduced a form of compile-time meta-programming through statically extensible type generation called F# type providers.[11] F# type providers allow the F# compiler and tools to be extended with components that provide type information to the compiler on-demand at compile time. F# type providers have been used to give strongly typed access to connected information sources in a scalable way, including to the فری‌بیس knowledge graph.[12]

    In F# 3.0 the F# quotation and computation expression features are combined to implement لینک (زبان برنامه‌نویسی) queries.[13] For example:

    // Use the OData type provider to create types that can be used to access the Northwind database.
    open Microsoft.FSharp.Data.TypeProviders
    
    type Northwind = ODataService<"http://services.odata.org/Northwind/Northwind.svc">
    let db = Northwind.GetDataContext()
    
    // A query expression.
    let query1 = query { for customer in db.Customers do
                         select customer }
    

    The combination of type providers, queries and strongly typed functional programming is known as information rich programming.[14]

    Agent programming

    F# supports a variation of the Actor programming model through the in-memory implementation of lightweight asynchronous agents. For example, the following code defines an agent and posts 2 messages:

    let counter =
        MailboxProcessor.Start(fun inbox ->
            let rec loop n =
                async { do printfn "n = %d, waiting..." n
                        let! msg = inbox.Receive()
                        return! loop(n+msg) }
            loop 0)
    

    Development tools

    F# can be developed with any text editor. Specific support exists in editors such as ایمکس.

    The Visual F# tools from Microsoft include full IDE integration in Visual Studio. With the language service installed, Visual Studio can be used to create F# projects and the Visual Studio debugger used to debug F# code. In addition, the Visual F# tools comes with a Visual Studio-hosted REPL interactive console that can be used to execute F# code as it is being written.

    WebSharper[15] is a framework for cross-tier JavaScript and HTML5 development with F#.

    مونودولاپ is an integrated development environment supporting F# programming on Linux, Mac and Windows including support for the interactive console as used by Visual Studio.

    SharpDevelop has supported F# since version 3.0.

    لینک‌پد has supported F# since version 2.x.

    Application areas

    F# is a general purpose programming language.

    Web programming

    F# is a central part of the WebSharper framework where F# code is executed as a .NET code on the server and as جاوااسکریپت code on the client-side.[15]

    Analytical programming

    Among others, F# is used for quantitative finance programming,[16] energy trading and portfolio optimization,[17] machine learning,[18] business intelligence[19] and social gaming on Facebook.[20]

    In recent years, F# is placed as optimised alternative of C#, F#'s scripting ability and IL compitablility with all Microsoft products have made it popular amongst developers, many developers create solutions based on F# and expose the functionality using C# WCF Services.

    Scripting

    F# is often used as a scripting language, mainly for desktop REPL scripting.[21]

    Open source community

    The F# open source community includes the F# Software Foundation and the F# Open Source Group at GitHub.

    Examples

    A few small samples follow:

    // This is a comment for a sample hello world program.
    printfn "Hello World!"
    

    A Person class with a constructor taking a name and age and two properties.

    /// This is a documentation comment for a type definition.
    type Person(name : string, age : int) =
        member x.Name = name
        member x.Age = age
    

    A simple example that is often used to demonstrate the syntax of functional languages is the factorial function for non-negative 32-bit integers, here shown in F#:

    /// This is a documentation comment for a function.
    let rec factorial n =
        match n with
        | 0 -> 1
        | _ -> n * factorial (n - 1)
    

    Iteration examples:

    /// Iteration using a 'for' loop
    let printList lst =
        for x in lst do
            printfn "%d" x
    
    /// Iteration using a higher-order function
    let printList2 lst =
        List.iter (printfn "%d") lst
    
    /// Iteration using a recursive function and pattern matching
    let rec printList3 lst =
        match lst with
        | [] -> ()
        | h :: t ->
            printfn "%d" h
            printList3 t
    

    Fibonacci examples:

    /// Fibonacci Number formula
    let rec fib n =
        match n with
        | 0 | 1 -> n
        | _ -> fib (n - 1) + fib (n - 2)
    
    /// Another approach - a lazy infinite sequence of Fibonacci numbers
    let fibSeq = Seq.unfold (fun (a,b) -> Some(a+b, (b, a+b))) (0,1)
    
    // Print even fibs
    [1 .. 10]
    |> List.map fib
    |> List.filter (fun n -> (n % 2) = 0)
    |> printList
    
    // Same thing, using a list expression
    [ for i in 1..10 do
        let r = fib i
        if r % 2 = 0 then yield r ]
    |> printList
    

    A sample Windows Forms program:

    // Open the Windows Forms library
    open System.Windows.Forms
    
    // Create a window and set a few properties
    let form = new Form(Visible=true, TopMost=true, Text="Welcome to F#")
    
    // Create a label to show some text in the form
    let label =
        let x = 3 + (4 * 5)
        new Label(Text = sprintf "x = %d" x)
    
    // Add the label to the form
    form.Controls.Add(label)
    
    // Finally, run the form
    [<System.STAThread>]
    Application.Run(form)
    

    Asynchronous parallel programming sample (parallel CPU and I/O tasks):

    /// A very naive prime number detector
    let isPrime (n:int) =
       let bound = int (sqrt (float n))
       seq {2 .. bound} |> Seq.forall (fun x -> n % x <> 0)
    
    // We are using async workflows
    let primeAsync n =
        async { return (n, isPrime n) }
    
    /// Return primes between m and n using multiple threads
    let primes m n =
        seq {m .. n}
            |> Seq.map primeAsync
            |> Async.Parallel
            |> Async.RunSynchronously
            |> Array.filter snd
            |> Array.map fst
    
    // Run a test
    primes 1000000 1002000
        |> Array.iter (printfn "%d")
    

    جستارهای وابسته

    پانویس

    1. https://blogs.msdn.microsoft.com/dotnet/2018/08/14/announcing-f-4-5/
    2. "F# Language Overview" (PDF). Retrieved 2007-12-14.
    3. "Some Details on F# Computation Expressions". Retrieved 2007-12-14.
    4. "Pattern Matching in F# Part 2: Active Patterns". Retrieved 2012-11-24.
    5. "Introducing F# Asynchronous Workflows". Retrieved 2007-12-14.
    6. The F# Software Foundation. "Using F# for GPU Programming". Archived from the original on 18 December 2016. Retrieved 2014-06-07.
    7. "Units of Measure (F#)". Retrieved 2012-11-24.
    8. "Units of Measure in F#: Part One, Introducing Units". Retrieved 2012-11-24.
    9. "Code Quotations (F#)". Retrieved 2012-11-24.
    10. The F# Software Foundation. "Using F# with HTML5 Web Applications". Archived from the original on 25 June 2014. Retrieved 2014-06-07.
    11. "Type Providers". Retrieved 2012-11-24.
    12. "New Tech Report from Microsoft Research: Strongly-Typed Language Support for Internet-Scale Information Sources". Retrieved 2012-11-24.
    13. "Query Expressions (F#)". Retrieved 2012-11-24.
    14. "F# 3.0 – LINQ + Type Providers = Information Rich Programming". Retrieved 2012-11-24.
    15. Intellifactory. "WebSharper home". Retrieved 2012-11-24.
    16. "Microsoft Case Studies:Microsoft Visual Studio 2012 - Financial Services Firm". Retrieved 2012-11-25.
    17. "F# for Energy Trading and Portfolio Optimization". Retrieved 2012-11-25.
    18. "Microsoft Case Study: Grange Insurance". Retrieved 2012-11-25.
    19. "Learning with F#". Retrieved 2012-11-25.
    20. "F# Job in Facebook Social Gaming". Retrieved 2012-11-25.
    21. "Scripting in F#". Retrieved 2012-11-25.

    منابع

    • Syme, Don; Granicz, Adam; Cisternino, Antonio (2007). "Expert F#". Apress.
    • Harrop, Jon (2010). "Visual F# 2010 for Technical Computing". Flying Frog Consultancy.
    • Pickering, Robert (2007). "Foundations of F#". Apress.
    • Smith, Chris (2009). "Programming F#". O'Reilly.
    • Petricek, Tomas (2009). "Real World Functional Programming With Examples in F# and C#". Manning Publications.
    • Hansen, Michael; Rischel, Hans (2013). "Functional Programming Using F#". Cambridge University Press.

    پیوند به بیرون

    در ویکی‌کتاب کتابی با عنوان: F Sharp Programming وجود دارد.
    This article is issued from Wikipedia. The text is licensed under Creative Commons - Attribution - Sharealike. Additional terms may apply for the media files.