Prolog syntax and semantics

The syntax and semantics of Prolog, a programming language, are the sets of rules that define how a Prolog program is written and how it is interpreted, respectively. The rules are laid out in ISO standard ISO/IEC 13211[1] although there are differences in the Prolog implementations.

Data types

Prolog is dynamically typed. It has a single data type, the term, which has several subtypes: atoms, numbers, variables and compound terms.

An atom is a general-purpose name with no inherent meaning. It is composed of a sequence of characters that is parsed by the Prolog reader as a single unit. Atoms are usually bare words in Prolog code, written with no special syntax. However, atoms containing spaces or certain other special characters must be surrounded by single quotes. Atoms beginning with a capital letter must also be quoted, to distinguish them from variables. The empty list, written [], is also an atom. Other examples of atoms include x, blue, 'Taco', and 'some atom'.

Numbers can be floats or integers. Many Prolog implementations also provide unbounded integers and rational numbers.

Variables are denoted by a string consisting of letters, numbers and underscore characters, and beginning with an upper-case letter or underscore. Variables closely resemble variables in logic in that they are placeholders for arbitrary terms. A variable can become instantiated (bound to equal a specific term) via unification. A single underscore (_) denotes an anonymous variable and means "any term". Unlike other variables, the underscore does not represent the same value everywhere it occurs within a predicate definition.

A compound term is composed of an atom called a "functor" and a number of "arguments", which are again terms. Compound terms are ordinarily written as a functor followed by a comma-separated list of argument terms, which is contained in parentheses. The number of arguments is called the term's arity. An atom can be regarded as a compound term with arity zero.

Examples of compound terms are truck_year('Mazda', 1986) and 'Person_Friends'(zelda,[tom,jim]). Compound terms with functors that are declared as operators can be written in prefix or infix notation. For example, the terms -(z), +(a,b) and =(X,Y) can also be written as -z, a+b and X=Y, respectively. Users can declare arbitrary functors as operators with different precedences to allow for domain-specific notations. The notation f/n is commonly used to denote a term with functor f and arity n.

Special cases of compound terms:

  • Lists are defined inductively: The atom [] is a list. A compound term with functor . (dot) and arity 2, whose second argument is a list, is itself a list. There exists special syntax for denoting lists: .(A, B) is equivalent to [A|B]. For example, the list .(1, .(2, .(3, []))) can also be written as [1 | [2 | [3 | []]]], or even more compactly as [1,2,3].
  • Strings: A sequence of characters surrounded by quotes is equivalent to a list of (numeric) character codes, generally in the local character encoding or Unicode if the system supports Unicode.

Prolog programs

Prolog programs describe relations, defined by means of clauses. Pure Prolog is restricted to Horn clauses, a Turing-complete subset of first-order predicate logic. There are two types of clauses: Facts and rules. A rule is of the form

Head :- Body.

and is read as "Head is true if Body is true". A rule's body consists of calls to predicates, which are called the rule's goals. The built-in predicate ,/2 (meaning a 2-arity operator with name ,) denotes conjunction of goals, and ;/2 denotes disjunction. Conjunctions and disjunctions can only appear in the body, not in the head of a rule.

Clauses with empty bodies are called facts. An example of a fact is:

cat(tom).

which is equivalent to the rule:

cat(tom) :- true.

another example is:

X is 3+2.

and when you run it, the result will be

 X=5
 Yes.


The built-in predicate true/0 is always true.

Evaluation

Execution of a Prolog program is initiated by the user's posting of a single goal, called the query. Logically, the Prolog engine tries to find a resolution refutation of the negated query. The resolution method used by Prolog is called SLD resolution. If the negated query can be refuted, it follows that the query, with the appropriate variable bindings in place, is a logical consequence of the program. In that case, all generated variable bindings are reported to the user, and the query is said to have succeeded. Operationally, Prolog's execution strategy can be thought of as a generalization of function calls in other languages, one difference being that multiple clause heads can match a given call. In that case, the system creates a choice-point, unifies the goal with the clause head of the first alternative, and continues with the goals of that first alternative. If any goal fails in the course of executing the program, all variable bindings that were made since the most recent choice-point was created are undone, and execution continues with the next alternative of that choice-point. This execution strategy is called chronological backtracking.

mother_child(trude, sally).
 
father_child(tom, sally).
father_child(tom, erica).
father_child(mike, tom).
 
sibling(X, Y)      :- parent_child(Z, X), parent_child(Z, Y).
 
parent_child(X, Y) :- father_child(X, Y).
parent_child(X, Y) :- mother_child(X, Y).

This results in the following query being evaluated as true:

?- sibling(sally, erica).
Yes

This is obtained as follows: Initially, the only matching clause-head for the query sibling(sally, erica) is the first one, so proving the query is equivalent to proving the body of that clause with the appropriate variable bindings in place, i.e., the conjunction (parent_child(Z,sally), parent_child(Z,erica)). The next goal to be proved is the leftmost one of this conjunction, i.e., parent_child(Z, sally). Two clause heads match this goal. The system creates a choice-point and tries the first alternative, whose body is father_child(Z, sally). This goal can be proved using the fact father_child(tom, sally), so the binding Z = tom is generated, and the next goal to be proved is the second part of the above conjunction: parent_child(tom, erica). Again, this can be proved by the corresponding fact. Since all goals could be proved, the query succeeds. Since the query contained no variables, no bindings are reported to the user. A query with variables, like:

?- father_child(Father, Child).

enumerates all valid answers on backtracking.

Notice that with the code as stated above, the query ?- sibling(sally, sally). also succeeds. One would insert additional goals to describe the relevant restrictions, if desired.

Loops and recursion

Iterative algorithms can be implemented by means of recursive predicates. Prolog systems typically implement a well-known optimization technique called tail call optimization (TCO) for deterministic predicates exhibiting tail recursion or, more generally, tail calls: A clause's stack frame is discarded before performing a call in a tail position. Therefore, deterministic tail-recursive predicates are executed with constant stack space, like loops in other languages.

Cuts

A cut (!) inside a rule will prevent Prolog from backtracking any predicates behind the cut:

predicate(X) :- one(X), !, two(X).

will fail if the first-found value of X for which one(X) is true leads to two(X) being false.

Anonymous variables

Anonymous variables _ are never bound to a value and can be used multiple times in a predicate.

For instance searching a list for a given value:

contains(V, [V|_]).
contains(V, [_|T]) :- contains(V, T).

Negation

The built-in Prolog predicate \+/1 provides negation as failure, which allows for non-monotonic reasoning. The goal \+ illegal(X) in the rule

legal(X) :- \+ illegal(X).

is evaluated as follows: Prolog attempts to prove the illegal(X). If a proof for that goal can be found, the original goal (i.e., \+ illegal(X)) fails. If no proof can be found, the original goal succeeds. Therefore, the \+/1 prefix operator is called the "not provable" operator, since the query ?- \+ Goal. succeeds if Goal is not provable. This kind of negation is sound if its argument is "ground" (i.e. contains no variables). Soundness is lost if the argument contains variables. In particular, the query ?- legal(X). can now not be used to enumerate all things that are legal.

Semantics

Under a declarative reading, the order of rules, and of goals within rules, is irrelevant since logical disjunction and conjunction are commutative. Procedurally, however, it is often important to take into account Prolog's execution strategy, either for efficiency reasons, or due to the semantics of impure built-in predicates for which the order of evaluation matters. Also, as Prolog interpreters try to unify clauses in the order they're provided, failing to give a correct ordering can lead to infinite recursion, as in:

predicate1(X) :-
  predicate2(X,X).
predicate2(X,Y) :-
  predicate1(X),
  X \= Y.

Given this ordering, any query of the form

?- predicate1(atom).

will recur until the stack is exhausted. If, however, the last 3 lines were changed to:

predicate2(X,Y) :-
  X \= Y,
  predicate1(X).

the same query would lead to a No. outcome in a very short time.

Definite clause grammars

There is a special notation called definite clause grammars (DCGs). A rule defined via -->/2 instead of :-/2 is expanded by the preprocessor (expand_term/2, a facility analogous to macros in other languages) according to a few straightforward rewriting rules, resulting in ordinary Prolog clauses. Most notably, the rewriting equips the predicate with two additional arguments, which can be used to implicitly thread state around, analogous to monads in other languages. DCGs are often used to write parsers or list generators, as they also provide a convenient interface to list differences.

Parser example

A larger example will show the potential of using Prolog in parsing.

Given the sentence expressed in Backus–Naur form:

<sentence>    ::=  <stat_part>
<stat_part>   ::=  <statement> | <stat_part> <statement>
<statement>   ::=  <id> = <expression> ;
<expression>  ::=  <operand> | <expression> <operator> <operand>
<operand>     ::=  <id> | <digit>
<id>          ::=  a | b
<digit>       ::=  0..9
<operator>    ::=  + | - | *

This can be written in Prolog using DCGs, corresponding to a predictive parser with one token look-ahead:

sentence(S)                --> statement(S0), sentence_r(S0, S).
sentence_r(S, S)           --> [].
sentence_r(S0, seq(S0, S)) --> statement(S1), sentence_r(S1, S).
 
statement(assign(Id,E)) --> id(Id), [=], expression(E), [;].
 
expression(E) --> term(T), expression_r(T, E).
expression_r(E, E)  --> [].
expression_r(E0, E) --> [+], term(T), expression_r(plus(E0,T), E).
expression_r(E0, E) --> [-], term(T), expression_r(minus(E0, T), E).
 
term(T)       --> factor(F), term_r(F, T).
term_r(T, T)  --> [].
term_r(T0, T) --> [*], factor(F), term_r(times(T0, F), T).
 
factor(id(ID))   --> id(ID).
factor(digit(D)) --> [D], { (number(D) ; var(D)), between(0, 9, D)}.
 
id(a) --> [a].
id(b) --> [b].

This code defines a relation between a sentence (given as a list of tokens) and its abstract syntax tree (AST). Example query:

?- phrase(sentence(AST), [a,=,1,+,3,*,b,;,b,=,0,;]).
AST = seq(assign(a, plus(digit(1), times(digit(3), id(b)))), assign(b, digit(0))) ;

The AST is represented using Prolog terms and can be used to apply optimizations, to compile such expressions to machine-code, or to directly interpret such statements. As is typical for the relational nature of predicates, these definitions can be used both to parse and generate sentences, and also to check whether a given tree corresponds to a given list of tokens. Using iterative deepening for fair enumeration, each arbitrary but fixed sentence and its corresponding AST will be generated eventually:

?- length(Tokens, _), phrase(sentence(AST), Tokens).
 Tokens = [a, =, a, (;)], AST = assign(a, id(a)) ;
 Tokens = [a, =, b, (;)], AST = assign(a, id(b))
 etc.

See also

References

  1. ^ ISO/IEC 13211: Information technology — Programming languages — Prolog. International Organization for Standardization, Geneva.

Read other articles:

Cargeghe Calzèghe, CaglièggaKomuneComune di CargegheLokasi Cardedu di Provinsi NuoroNegara ItaliaWilayah SardiniaProvinsiSassari (SS)Pemerintahan • Wali kotaFranco SpadaLuas • Total12,05 km2 (4,65 sq mi)Ketinggian333 m (1,093 ft)Populasi (2016) • Total724[1]Zona waktuUTC+1 (CET) • Musim panas (DST)UTC+2 (CEST)Kode pos07030Kode area telepon079Situs webhttp://www.comune.cargeghe.ss.it Cargeghe (bahasa S...

 

Ilustrasi pertandingan rugbi dalam Tom Brown's School Days edisi 1911; pertama kali diterbitkan pada 1857, Tom Brown membantu memopulerkan cerita sekolah. Cerita sekolah adalah genre fiksi yang berpusat pada kehidupan sekolah pelajar praremaja dan remaja, yang sangat populer pada paruh pertama abad kedua puluh. Meskipun ada contoh cerita sekolah yang berlatar di berbagai negara, genre ini paling sering berlatar di sekolah asrama Inggris dan kebanyakan ditulis dalam subgenre anak perempuan dan...

 

Endovascular aneurysm repairIntervensiEndovascular aneurysm repairSinonimEndovascular aortic repairICD-9-CM39.51, 39.52, 39.7[sunting di Wikidata] Endovascular aneurysm repair (EVAR) atau perbaikan aneurisma endovaskular adalah prosedur bedah endovaskuler minimal invasif yang dilakukan untuk mengatasi kelainan pada aorta terutama aneurisma aorta abdominalis (AAA). Jika digunakan untuk mengatasi aneurisma aorta torakalis, prosedurnya disebut TEVAR atau Thoracic Endovascular Aortic/Aneurysm...

Basilika Santa Maria dari LourdesBasilika Minor Santa Maria dari Lourdesbahasa Slovenia: Bazilika Lurške Matere Božje, BrestanicaBasilika Santa Maria dari LourdesLokasiBrestanicaNegara SloveniaDenominasiGereja Katolik RomaArsitekturStatusBasilika minorStatus fungsionalAktif Basilika Santa Maria dari Lourdes (bahasa Slovenia: Bazilika Lurške Matere Božje, Brestanica) adalah sebuah gereja basilika minor Katolik yang terletak di Brestanica, Slovenia. Basilika ini ditetapkan stat...

 

Chemical compound MDA-19Legal statusLegal status BR: Class F2 (Prohibited psychotropics)[1] CA: Schedule II Identifiers IUPAC name (3Z)-N'-(1-hexyl-2-oxoindolin-3-ylidene)benzohydrazide CAS Number1048973-47-2 Y 1104302-26-2 (alternative)PubChem CID25034599ChemSpider24689676 NUNIIX83OI5CX2UChemical and physical dataFormulaC21H23N3O2Molar mass349.434 g·mol−13D model (JSmol)Interactive image SMILES O=C(C1=CC=CC=C1)N/N=C(C2=CC=CC=C2N3CCCCCC)\C3=O InChI InChI=1S...

 

Supermarine Swift adalah jet tempur British satu kursi dari Royal Air Force (RAF), dibangun oleh Supermarine selama tahun 1950. Setelah masa pembangunan berlarut-larut, Swift memasuki layanan sebagai interceptor, tetapi, karena serentetan kecelakaan, kehidupan pelayanannya tidak lama. Referensi lbsPesawat SupermarineDaftar Pesawat SupermarineTandaperusahaan Type 179 · Type 223 · Type 224 · Type 232 · Type 236 · Type 238 · Type...

Keakuratan artikel ini diragukan dan artikel ini perlu diperiksa ulang dengan mencantumkan referensi yang dapat dipertanggungjawabkan. Diskusi terkait dapat dibaca pada the halaman pembicaraan. Harap pastikan akurasi artikel ini dengan sumber tepercaya. Lihat diskusi mengenai artikel ini di halaman diskusinya. (Pelajari cara dan kapan saatnya untuk menghapus pesan templat ini) Bantalan Scarab nama Raja Hyksos Apophis, yang saat ini berada di Museum of Fine Arts, Boston Hyksos (Mesir heqa khas...

 

Ram KapoorKapoor pada pembukaan acaranya Bade Achhe Lagte HainLahirRaam Anil Kapoor1 September 1973 (umur 50)[1]New Delhi, IndiaKebangsaanIndianPekerjaanaktorTahun aktif1997–sekarangDikenal atasManshaa,Kasamh Se, Bade Achhe Lagte Hain , Dil Ki Baatein Dil Hi Jaane dan HumshakalsSuami/istriGautami Kapoor ​(m. 2003)​AnakAks Kapoor (anak laki-laki)Sia Kapoor (anak perempuan)Orang tuaRita Kapoor (Ibu)Anil Kapoor (Ayah) Ram Kapoor ([raːm kəpuːr]...

 

FN P90 FN P90 LV/LIR dengan magazen tanpa peluru Jenis Senjata bela diri perorangan Negara asal  Belgia Sejarah pemakaian Masa penggunaan 1991–sekarang[1] Pada perang Perang Teluk [1]Perang Afganistan (2001–sekarang),Perang Irak Sejarah produksi Tahun 1986–1990 [1] Produsen Fabrique Nationale de Herstal (FN Herstal) Diproduksi 1990–sekarang[2] Varian Lihat Varian : P90P90 TRP90 USGP90 LV/LIRPS90 Spesifikasi Berat 2,54 kg kosong...

Economy of BoliviaLa Paz, the financial centre of BoliviaCurrencyBolivian Boliviano (BOB)Fiscal yearCalendar yearTrade organizationsWTO, CAN, UNASUR, Mercosur (candidate)Country group Developing/Emerging[1] Lower-middle income economy[2] StatisticsPopulation 12,290,945 (2024)[3]GDP $49.718 billion (nominal, 2024 est.)[3] $130.579 billion (PPP, 2024 est.)[3] GDP rank 91st (nominal, 2021) 92nd (PPP, 2021) GDP growth 4.2% (2018) 2.7% (...

 

1922 novel by F. Scott Fitzgerald This article is about the novel. For other uses, see The Beautiful & Damned (album), The Beautiful and Damned (film), and Beautiful and Damned (musical). The Beautiful and Damned The cover of the first editionAuthorF. Scott FitzgeraldCover artistWilliam E. HillCountryUnited StatesLanguageEnglishGenreTragedyPublishedMarch 4, 1922[a]PublisherCharles Scribner's SonsMedia typePrint (hardcover & paperback)Preceded byThis Side of Para...

 

内華達州 美國联邦州State of Nevada 州旗州徽綽號:產銀之州、起戰之州地图中高亮部分为内華達州坐标:35°N-42°N, 114°W-120°W国家 美國建州前內華達领地加入聯邦1864年10月31日(第36个加入联邦)首府卡森城最大城市拉斯维加斯政府 • 州长(英语:List of Governors of {{{Name}}}]]) • 副州长(英语:List of lieutenant governors of {{{Name}}}]])喬·隆巴爾多(R斯塔...

Fran Tarkenton Nazionalità  Stati Uniti Altezza 183 cm Peso 86 kg Football americano Ruolo Quarterback Termine carriera 1978 Hall of fame Pro Football Hall of Fame (1986) CarrieraGiovanili  Georgia BulldogsSquadre di club 1961-1966 Minnesota Vikings1967-1971 New York Giants1972-1978 Minnesota Vikings Statistiche Partite 246 Yard passate 47.003 Touchdown passati 342 Intercetti subiti 266 Passer rating 80,4 Palmarès Trofeo Vittorie MVP della NFL 1 Giocatore offe...

 

Dewan Lima Tetua (bahasa Jepang:五大老 Go-Tairō), adalah kelompok yang terdiri dari lima penguasa feodal kuat (bahasa Jepang: 大名 Daimyō ) yang dibentuk tahun 1598 oleh Adipati (bahasa Jepang: 太閤 Taikō) Toyotomi Hideyoshi, tidak lama sebelum kematiannya pada tahun yang sama.[1] Ketika Hideyoshi terbaring di ranjang menjelang kematiannya, putranya, Toyotomi Hideyori, masih berusia 5 tahun dan karena itu Hideyoshi perlu membentuk sebuah dewan untuk memastikan ahli wari...

 

1996–97 concert tour by Marilyn Manson Dead to the World TourTour by Marilyn MansonAssociated albumAntichrist SuperstarStart dateSeptember 5, 1996 (1996-09-05)End dateSeptember 16, 1997 (1997-09-16)Legs8No. of shows175Marilyn Manson concert chronology Smells Like Children(1995–1996) Dead to the World(1996–1997) Mechanical Animals(1998–1999) The Dead to the World Tour was a worldwide concert tour by the American rock band Marilyn Manson. Staged in support ...

Canadian political controversy Conscription Crisis of 1917–1918An anti-conscription parade in Montreal on May 17, 1917Date1917–18LocationQuebecCaused byMilitary Service Act, ConscriptionGoals Repeal the Military Service Act End conscription in Canada MethodsMass protests, riotsResulted inParliament passes the Military Service ActParties Imperialists Prime Minister's Office Conservative Party Liberal–Unionists Ministry of Militia Nationalists His Majesty's Opposition Laurier Liberals Pac...

 

Peta persebaran Bogomilisme Bogomilisme adalah nama sebuah aliran yang muncul sekitar abad ke-8.[1] Bogomil merupakan sekte dari Abad Pertengahan yang coraknya dualistis dan doketis.[2] Cukup lama aliran ini mendapat dukungan di Bizantium.[2] Bogomilisme berasal dari kata bogomil.[2] Dalam bahasa Slavia artinya “Berkenan kepada Allah”.[1] Pendiri dari aliran ini diduga bernama Yeremias yang berasal dan Bulgaria dan seorang bernama Teofilus.[2 ...

 

غونزالو هيغواين Gonzalo Higuaín هيغواين مع يوفنتوس في 2019 معلومات شخصية الاسم الكامل غونزالو جيراردو هيغواين[1] الميلاد 10 ديسمبر 1987 (العمر 36 سنة)[2]برست، فرنسا الطول 1.86 م (6 قدم 1 بوصة)[3][4] مركز اللعب مهاجم الجنسية الأرجنتين (يناير 2007–) فرنسا[5]  مسيرة ال...

Victoria Palace TheatreIl Victoria Palace Theatre nel 2011UbicazioneStato Regno Unito LocalitàLondra IndirizzoVictoria Street Dati tecniciFossaSì Capienza1602 posti RealizzazioneCostruzioneXX secolo Inaugurazione6 novembre 1911 ArchitettoFrank Matcham ProprietarioDelfont Mackintosh Sito ufficiale Modifica dati su Wikidata · Manuale Il Vitoria Palace Theatre è un teatro sito nella città di Westminster del West End di Londra, di fronte alla stazione di Londra Victoria. Indice 1 S...

 

Artikel ini perlu diwikifikasi agar memenuhi standar kualitas Wikipedia. Anda dapat memberikan bantuan berupa penambahan pranala dalam, atau dengan merapikan tata letak dari artikel ini. Untuk keterangan lebih lanjut, klik [tampil] di bagian kanan. Mengganti markah HTML dengan markah wiki bila dimungkinkan. Tambahkan pranala wiki. Bila dirasa perlu, buatlah pautan ke artikel wiki lainnya dengan cara menambahkan [[ dan ]] pada kata yang bersangkutan (lihat WP:LINK untuk keterangan lebih lanjut...