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:

Javier Mascherano Informasi pribadiNama lengkap Javier Alejandro MascheranoTanggal lahir 8 Juni 1984 (umur 39)Tempat lahir San Lorenzo, Santa Fe, ArgentinaTinggi 1,74 m (5 ft 8+1⁄2 in)[1]Posisi bermain Gelandang BertahanBekKarier senior*Tahun Tim Tampil (Gol)2003–2005 River Plate 46 (1)2005–2006 Corinthians 26 (0)2006–2007 West Ham United 5 (0)2007–2010 Liverpool 94 (2)2010–2018 Barcelona 203 (1)2018–2019 Hebei China Fortune 53 (0)2019–2020 Est...

 

 

Berikut adalah tabel yang menunjukkan cakupan wilayah Konvensi Eropa tentang Hak Asasi Manusia dan protokol-protokolnya. Negara anggota danwilayahnya CakupanKonvensi Hak untuk mengajukan perkara di Pengadilan HAM Eropa Protokol 1 (hak atas properti, pendidikan, dan pemilu) Protokol 4 (Pemenjaraan sipil, pergerakan bebas, pengusiran) Protokol 6 (Pelarangan hukuman mati pada masa damai) Protokol 7 (Hak atas proses hukum yang adil, kesetaraan antar pasangan) Protokol 12 (Hak untuk tidak didiskri...

 

 

SwitchTipePenyelenggara jasa seluler berbasis digitalTahun peluncuran11 Maret 2020ProdusenSmartfren TelecomPenyedia saat iniSmartfrenTahun produksi terakhir27 Januari 2021Situs websmartfren.com/switchmobile.id/ Switch (ditulis switch.) adalah operator seluler digital di Indonesia. Layaknya By.U, switch menargetkan pasar anak muda dengan usia 17-35 tahun. Switch sendiri menawarkan beberapa hal yang disesuaikan dengan kebutuhan kaum milenial, seperti adanya kuota darurat dan tidak memiliki masa...

Ancient granite-greenstone terrane in South Africa Location of the Barberton Greenstone Belt. The Barberton Greenstone Belt is situated on the eastern edge of the Kaapvaal Craton in South Africa. It is known for its gold mineralisation and for its komatiites, an unusual type of ultramafic volcanic rock named after the Komati River that flows through the belt. Some of the oldest exposed rocks on Earth (greater than 3.6 Ga) are located in the Barberton Greenstone Belt of the Eswatini–Barberto...

 

 

Cameroonian footballer Jerry-Christian Tchuissé Personal informationDate of birth (1975-01-13) 13 January 1975 (age 49)Place of birth Douala, CameroonHeight 1.79 m (5 ft 10+1⁄2 in)Position(s) DefenderSenior career*Years Team Apps (Gls)1993–1994 Bongongui Douala ? (?)1996–1997 Léopards Douala ? (?)1998–2000 FC Chernomorets Novorossiysk 39 (0)2000–2003 FC Spartak Moscow 63 (0)2003 FC Chernomorets Novorossiysk 26 (0)2004–2006 FC Moscow 67 (2)2007 FC Terek Gr...

 

 

French rugby union player Rugby playerSébastien ChabalDate of birth (1977-12-08) 8 December 1977 (age 46)Place of birthValence, FranceHeight1.91 m (6 ft 3 in)Weight113 kg (249 lb; 17 st 11 lb)[1]Rugby union careerPosition(s) Number eight, Lock, FlankerSenior careerYears Team Apps (Points)2000–20042004–20092009–20122012–2014 BourgoinSale SharksRacing MétroLyon 451015718 (35)(60)(30)(15)International careerYears Team Apps (Points)2000–...

Disambiguazione – Se stai cercando il traghetto, vedi Isola del Giglio (traghetto). Isola del Gigliocomune Isola del Giglio – Veduta LocalizzazioneStato Italia Regione Toscana Provincia Grosseto AmministrazioneCapoluogoGiglio Castello SindacoSergio Ortelli (lista civica di centro-destra) dall'8-6-2009 (3º mandato dal 27-5-2019) TerritorioCoordinatedel capoluogo42°21′18″N 10°54′18″E / 42.355°N 10.905°E42.355; 10.905 (Isola del G...

 

 

Gianfranco Goria Gianfranco Goria (Brunico, 3 agosto 1954) è un fumettista e traduttore italiano. Indice 1 Biografia 2 Note 3 Voci correlate 4 Collegamenti esterni Biografia Nato a Brunico in Alto Adige (quando suo padre, carabiniere, era di stanza in Val Pusteria), si spostò coi genitori a Roma e quindi a Torino. Ha svolto i suoi studi universitari presso l'Università di Torino, sotto la guida dell'indologo Oscar Botto. Ha lavorato come sceneggiatore scrivendo alcune storie per la Disney ...

 

 

Software used to access websites A web browser (Safari) displaying a web page A web browser is an application for accessing websites. When a user requests a web page from a particular website, the browser retrieves its files from a web server and then displays the page on the user's screen. Browsers are used on a range of devices, including desktops, laptops, tablets, and smartphones. In 2020, an estimated 4.9 billion people have used a browser.[1] The most-used browser is Google Chro...

Gesù discorre coi suoi discepoli, James Tissot, c. 1890 Nella teologia cristiana, l'imitazione di Cristo (talvolta anche Cristomimesi, dal greco Χριστός, Cristo e μίμησις, imitazione) è una pratica che segue letteralmente l'esempio di Gesù Cristo, non solo a livello spirituale, ma anche a livello fisico e nelle opere della vita quotidiana.[1][2][3] Nel cristianesimo orientale il termine Vita di Cristo è solitamente usato per indicare il medesimo conce...

 

 

Voce principale: Campionato mondiale di Formula 1 2010.  Gran Premio del Giappone 2010 836º GP del Mondiale di Formula 1Gara 16 di 19 del Campionato 2010 Data 10 ottobre 2010 Nome ufficiale XXXVI Japanese Grand Prix Luogo Suzuka International Racing Course Percorso 5,807 km / 3,608 US mi Pista permanente Distanza 53 giri, 307,471 km/ 191,054 US mi Risultati Pole position Giro più veloce Sebastian Vettel Mark Webber RBR-Renault in 1'30785 RBR-Renault in 1'33474 (nel giro 53) Podio 1. S...

 

 

Prussian geographer, naturalist and explorer (1769–1859) For other uses, see Alexander von Humboldt (disambiguation). Alexander von HumboldtPortrait by Joseph Karl Stieler (1843)Born14 September 1769Berlin, Prussia, Holy Roman EmpireDied6 May 1859(1859-05-06) (aged 89)Berlin, Prussia, German ConfederationResting placeSchloss TegelNationalityGermanAlma materUniversity of Frankfurt (Oder)University of GöttingenFreiberg School of Mines (diploma, 1792)Known forBiogeography, Kosm...

رئيس مجلس وزراء الكويت قائمة رؤساء وزراء الكويتشعار دولة الكويت شاغل المنصب الشيخ أحمد عبدالله الأحمد الصباح منذ 15 أبريل 2024 البلد الكويت  اللقب سمو عن المنصب المعين أمير الكويت تأسيس المنصب 1962 أول حامل للمنصب الشيخ عبدالله السالم الصباح النائب الشيخ فهد يوسف سعود الصب�...

 

 

Kepulauan Cocos (Keeling) Bendera Lambang Semboyan: Maju Pulu Kita (Indonesia: Majulah Pulau Kita)Lagu kebangsaan:  Advance Australia Fair (Indonesia: Majulah Australia Jaya) Ibu kotaWest Island12°11′13″S 96°49′42″E / 12.18694°S 96.82833°E / -12.18694; 96.82833Desa terbesarBantam12°07′05″S 96°53′45″E / 12.1181°S 96.8958°E / -12.1181; 96.8958Bahasa resmiInggris dan MelayuPemerintahanMonarki konstitusional• ...

 

 

Plaza mayor di Valladolid, Spanyol, sebuah prototip plaza Spanyol Plaza di Costilla, Taos County, New Mexico, Amerika Serikat, 1943 Plaza adalah sebuah kata dari bahasa Spanyol yang berhubungan dengan lapangan yang menggambarkan tempat terbuka untuk umum (ruang publik) di perkotaan, seperti misalnya lapangan atau alun-alun. Di seluruh Amerika Latin, plaza mayor dari masing-masing pusat pemerintahan mempunyai tiga lembaga yang saling terkait erat: katedral, cabildo atau pusat administrasi, yan...

Native American writer and war chief (1913–2016) In this article, the surname is Medicine Crow. Joe Medicine CrowMedicine Crow (right) with President Barack Obama in 2009BornJoseph Medicine Crow(1913-10-27)October 27, 1913Near Lodge Grass, Montana, U.S.DiedApril 3, 2016(2016-04-03) (aged 102)Billings, Montana, U.S.NationalityCrow, AmericanAlma materLinfield CollegeUniversity of Southern CaliforniaOccupation(s)Historian, war chief, anthropologist, authorRelativesPauline Small (cous...

 

 

Railway station in North Korea Sinp'o station (Korean: 신포역) is a railway station in Sinp'o, South Hamgyŏng, North Korea. It is on located on the P'yŏngra line of the Korean State Railway.[1] References ^ Kokubu, Hayato, 将軍様の鉄道 (Shōgun-sama no Tetsudō), ISBN 978-4-10-303731-6 vte P'yŏngra LineMainline P'yŏngyang West P'yŏngyang Sŏp'o Kalli Chungi Tongbungri Paesanjŏm P'yŏngsŏng Ponghak Chasan Sunch'ŏn Sillyŏnp'o Ŭnsan Suyang Sinch'ang Sudŏ...

 

 

Election of Pope Honorius IV Papal election 1285Dates and location1–2 April 1285PerugiaKey officialsDeanOrdonho AlvaresProtopriestAnchero PantaleoneProtodeaconGiacomo SavelliElectionBallots1Elected popeGiacomo SavelliName taken: Honorius IV← 1280–811287–88 →Perugia cityscape (15th century) The 1285 papal election, convened in Viterbo after the death of Pope Martin IV, elected Cardinal Giacomo Savelli, who took the name of Honorius IV. Because of the suspension of the Const...

Teresa Teng Nazionalità Taiwan GenerePopMandopopJ-popCantopop Periodo di attività musicale1967 – 1995 EtichettaYewjow (1967-1971)Life Records (1971-1976)Polydor (1974-1982), (1985-1995)EMI/Capitol Records/Parlophone (1983-1985)Columbia Records (1986-1989)Atlantic Records (1990-1995) Album pubblicati12 Studio12 Live0 Raccolte0 Sito ufficiale Modifica dati su Wikidata · Manuale Teresa Teng Li Chun (cinese tradizionale: 鄧麗君; cinese semplificato: 邓丽君;...

 

 

.bb

.bb البلد باربادوس  الموقع الموقع الرسمي  تعديل مصدري - تعديل   bb. هو نطاق إنترنت من صِنف مستوى النطاقات العُليا في ترميز الدول والمناطق، للمواقع التي تنتمي لباربادوس. تمت إدارة العنوان الرئيسي من عدة إدارات منذ إنشائه.[1][2] مراجع ^ النطاق الأعلى في ترميز الدول�...