Share to: share facebook share twitter share wa share telegram print page

Continuation

In computer science, a continuation is an abstract representation of the control state of a computer program. A continuation implements (reifies) the program control state, i.e. the continuation is a data structure that represents the computational process at a given point in the process's execution; the created data structure can be accessed by the programming language, instead of being hidden in the runtime environment. Continuations are useful for encoding other control mechanisms in programming languages such as exceptions, generators, coroutines, and so on.

The "current continuation" or "continuation of the computation step" is the continuation that, from the perspective of running code, would be derived from the current point in a program's execution. The term continuations can also be used to refer to first-class continuations, which are constructs that give a programming language the ability to save the execution state at any point and return to that point at a later point in the program, possibly multiple times.

History

The earliest description of continuations was made by Adriaan van Wijngaarden in September 1964. Wijngaarden spoke at the IFIP Working Conference on Formal Language Description Languages held in Baden bei Wien, Austria. As part of a formulation for an Algol 60 preprocessor, he called for a transformation of proper procedures into continuation-passing style,[1] though he did not use this name, and his intention was to simplify a program and thus make its result more clear.

Christopher Strachey, Christopher P. Wadsworth and John C. Reynolds brought the term continuation into prominence in their work in the field of denotational semantics that makes extensive use of continuations to allow sequential programs to be analysed in terms of functional programming semantics.[1]

Steve Russell[2] invented the continuation in his second Lisp implementation for the IBM 704, though he did not name it.[3]

Reynolds (1993) gives a complete history of the discovery of continuations.

First-class continuations

First-class continuations are a language's ability to completely control the execution order of instructions. They can be used to jump to a function that produced the call to the current function, or to a function that has previously exited. One can think of a first-class continuation as saving the execution state of the program. True first-class continuations do not save program data – unlike a process image – only the execution context. This is illustrated by the "continuation sandwich" description:

Say you're in the kitchen in front of the refrigerator, thinking about a sandwich. You take a continuation right there and stick it in your pocket. Then you get some turkey and bread out of the refrigerator and make yourself a sandwich, which is now sitting on the counter. You invoke the continuation in your pocket, and you find yourself standing in front of the refrigerator again, thinking about a sandwich. But fortunately, there's a sandwich on the counter, and all the materials used to make it are gone. So you eat it. :-)[4]

In this description, the sandwich is part of the program data (e.g., an object on the heap), and rather than calling a "make sandwich" routine and then returning, the person called a "make sandwich with current continuation" routine, which creates the sandwich and then continues where execution left off.

Scheme was the first full production system providing first "catch"[1] and then call/cc. Bruce Duba introduced call/cc into SML.

Continuations are also used in models of computation including denotational semantics, the actor model, process calculi, and lambda calculus. These models rely on programmers or semantics engineers to write mathematical functions in the so-called continuation-passing style. This means that each function consumes a function that represents the rest of the computation relative to this function call. To return a value, the function calls this "continuation function" with a return value; to abort the computation it returns a value.

Functional programmers who write their programs in continuation-passing style gain the expressive power to manipulate the flow of control in arbitrary ways. The cost is that they must maintain the invariants of control and continuations by hand, which can be a highly complex undertaking (but see 'continuation-passing style' below).

Uses

Continuations simplify and clarify the implementation of several common design patterns, including coroutines/green threads and exception handling, by providing the basic, low-level primitive which unifies these seemingly unconnected patterns. Continuations can provide elegant solutions to some difficult high-level problems, like programming a web server that supports multiple pages, accessed by the use of the forward and back buttons and by following links. The Smalltalk Seaside web framework uses continuations to great effect, allowing one to program the web server in procedural style, by switching continuations when switching pages.

More complex constructs for which "continuations provide an elegant description"[1] also exist. For example, in C, longjmp can be used to jump from the middle of one function to another, provided the second function lies deeper in the stack (if it is waiting for the first function to return, possibly among others). Other more complex examples include coroutines in Simula 67, Lua, and Perl; tasklets in Stackless Python; generators in Icon and Python; continuations in Scala (starting in 2.8); fibers in Ruby (starting in 1.9.1); the backtracking mechanism in Prolog; monads in functional programming; and threads.

Examples

The Scheme programming language includes the control operator call-with-current-continuation (abbreviated as: call/cc) with which a Scheme program can manipulate the flow of control:

 (define the-continuation #f)

 (define (test)
   (let ((i 0))
     ; call/cc calls its first function argument, passing
     ; a continuation variable representing this point in
     ; the program as the argument to that function.
     ;
     ; In this case, the function argument assigns that
     ; continuation to the variable the-continuation.
     ;
     (call/cc (lambda (k) (set! the-continuation k)))
     ;
     ; The next time the-continuation is called, we start here.
     (set! i (+ i 1))
     i))

Using the above, the following code block defines a function test that sets the-continuation to the future execution state of itself:

 > (test)
 1
 > (the-continuation)
 2
 > (the-continuation)
 3
 > ; stores the current continuation (which will print 4 next) away
 > (define another-continuation the-continuation)
 > (test) ; resets the-continuation
 1
 > (the-continuation)
 2
 > (another-continuation) ; uses the previously stored continuation
 4

For a gentler introduction to this mechanism, see call-with-current-continuation.

Coroutines

This example shows a possible usage of continuations to implement coroutines as separate threads.[5]

 ;;; A naive queue for thread scheduling.
 ;;; It holds a list of continuations "waiting to run".

   (define *queue* '())

   (define (empty-queue?)
     (null? *queue*))

   (define (enqueue x)
     (set! *queue* (append *queue* (list x))))

   (define (dequeue)
     (let ((x (car *queue*)))
       (set! *queue* (cdr *queue*))
       x))

   ;;; This starts a new thread running (proc).

   (define (fork proc)
     (call/cc
      (lambda (k)
        (enqueue k)
        (proc))))

   ;;; This yields the processor to another thread, if there is one.

   (define (yield)
     (call/cc
      (lambda (k)
        (enqueue k)
        ((dequeue)))))

   ;;; This terminates the current thread, or the entire program
   ;;; if there are no other threads left.

   (define (thread-exit)
     (if (empty-queue?)
         (exit)
         ((dequeue))))

The functions defined above allow for defining and executing threads through cooperative multitasking, i.e. threads that yield control to the next one in a queue:

   ;;; The body of some typical Scheme thread that does stuff:

   (define (do-stuff-n-print str)
     (lambda ()
       (let loop ((n 0))
         (format #t "~A ~A\n" str n)
         (yield)
         (loop (+ n 1)))))

   ;;; Create two threads, and start them running.
   (fork (do-stuff-n-print "This is AAA"))
   (fork (do-stuff-n-print "Hello from BBB"))
   (thread-exit)

The previous code will produce this output:

 This is AAA 0
 Hello from BBB 0
 This is AAA 1
 Hello from BBB 1
 This is AAA 2
 Hello from BBB 2
 ...

Implementation

A program must allocate space in memory for the variables its functions use. Most programming languages use a call stack for storing the variables needed because it allows for fast and simple allocating and automatic deallocation of memory. Other programming languages use a heap for this, which allows for flexibility at a higher cost for allocating and deallocating memory. Both of these implementations have benefits and drawbacks in the context of continuations.[6]

Programming language support

Many programming languages exhibit first-class continuations under various names; specifically:

In any language which supports closures and proper tail calls, it is possible to write programs in continuation-passing style and manually implement call/cc. (In continuation-passing style, call/cc becomes a simple function that can be written with lambda.) This is a particularly common strategy in Haskell, where it is easy to construct a "continuation-passing monad" (for example, the Cont monad and ContT monad transformer in the mtl library). The support for proper tail calls is needed because in continuation-passing style no function ever returns; all calls are tail calls.

In Web development

One area that has seen practical use of continuations is in Web programming.[7][8] The use of continuations shields the programmer from the stateless nature of the HTTP protocol. In the traditional model of web programming, the lack of state is reflected in the program's structure, leading to code constructed around a model that lends itself very poorly to expressing computational problems. Thus continuations enable code that has the useful properties associated with inversion of control, while avoiding its problems. "Inverting back the inversion of control or, Continuations versus page-centric programming"[9] is a paper that provides a good introduction to continuations applied to web programming.

Kinds

Support for continuations varies widely. A programming language supports re-invocable continuations if a continuation may be invoked repeatedly (even after it has already returned). Re-invocable continuations were introduced by Peter J. Landin using his J (for Jump) operator that could transfer the flow of control back into the middle of a procedure invocation. Re-invocable continuations have also been called "re-entrant" in the Racket language. However this use of the term "re-entrant" can be easily confused with its use in discussions of multithreading.

A more limited kind is the escape continuation that may be used to escape the current context to a surrounding one. Many languages which do not explicitly support continuations support exception handling, which is equivalent to escape continuations and can be used for the same purposes. C's setjmp/longjmp are also equivalent: they can only be used to unwind the stack. Escape continuations can also be used to implement tail call elimination.

One generalization of continuations are delimited continuations. Continuation operators like call/cc capture the entire remaining computation at a given point in the program and provide no way of delimiting this capture. Delimited continuation operators address this by providing two separate control mechanisms: a prompt that delimits a continuation operation and a reification operator such as shift or control. Continuations captured using delimited operators thus only represent a slice of the program context.

Disadvantages

Continuations are the functional expression of the GOTO statement, and the same caveats apply.[10] While they are a sensible option in some special cases such as web programming, use of continuations can result in code that is difficult to follow. In fact, the esoteric programming language Unlambda includes call-with-current-continuation as one of its features solely because expressions involving it "tend to be hopelessly difficult to track down."[11] The external links below illustrate the concept in more detail.

Linguistics

In "Continuations and the nature of quantification", Chris Barker introduced the "continuation hypothesis", that

some linguistic expressions (in particular, QNPs [quantificational noun phrases]) have denotations that manipulate their own continuations.[12]

Barker argued that this hypothesis could be used to explain phenomena such as duality of NP meaning (e.g., the fact that the QNP "everyone" behaves very differently from the non-quantificational noun phrase "Bob" in contributing towards the meaning of a sentence like "Alice sees [Bob/everyone]"), scope displacement (e.g., that "a raindrop fell on every car" is interpreted typically as rather than as ), and scope ambiguity (that a sentence like "someone saw everyone" may be ambiguous between and ). He also observed that this idea is in a way just a natural extension of Richard Montague's approach in "The Proper Treatment of Quantification in Ordinary English" (PTQ), writing that "with the benefit of hindsight, a limited form of continuation-passing is clearly discernible at the core of Montague’s (1973) PTQ treatment of NPs as generalized quantifiers".

The extent to which continuations can be used to explain other general phenomena in natural language is a topic of current research.[13]

See also

References

  1. ^ a b c d Reynolds 1993
  2. ^ S.R. Russell noticed that eval could serve as an interpreter for LISP, promptly hand coded it, and we now had a programming language with an interpreter. —John McCarthy, History of LISP
  3. ^ "Steve "Slug" Russell". Computer History.
  4. ^ Palmer, Luke (June 29, 2004). "undo()? ("continuation sandwich" example)". perl.perl6.language (newsgroup). Retrieved 2009-10-04.
  5. ^ Haynes, C. T., Friedman, D. P., and Wand, M. 1984. Continuations and coroutines. In Proceedings of the 1984 ACM Symposium on LISP and Functional Programming (Austin, Texas, United States, August 06–08, 1984). LFP '84. ACM, New York, NY, 293-298.
  6. ^ "Call with current continuation for C programmers". Community-Scheme-Wiki. 12 October 2008.
  7. ^ "Reading list on XML and Web Programming". Archived from the original on 2010-06-14. Retrieved 2006-08-03.
  8. ^ "Web Programming with Continuations" (PDF). Archived from the original (PDF) on 2012-09-05. Retrieved 2012-09-05.
  9. ^ Christian.Queinnec (2003) Inverting back the inversion of control or, Continuations versus page-centric programming
  10. ^ Quigley, John (September 2007). "Computational Continuations" (PDF). p. 38.
  11. ^ Madore, David. "The Unlambda Programming Language". www.madore.org. Retrieved 19 June 2021.
  12. ^ Chris Barker, Continuations and the nature of quantification, 2002 Natural Language Semantics 10:211-242.
  13. ^ See for example Chris Barker, Continuations in Natural Language Archived 2007-08-24 at the Wayback Machine (Continuations Workshop 2004), or Chung-chieh Shan, Linguistic Side Effects (in "Direct compositionality, ed. Chris Barker and Pauline Jacobson, pp. 132-163, Oxford University Press, 2007).

Further reading

  • Peter Landin. A Generalization of Jumps and Labels Report. UNIVAC Systems Programming Research. August 1965. Reprinted in Higher Order and Symbolic Computation, 11(2):125-143, 1998, with a foreword by Hayo Thielecke.
  • Drew McDermott and Gerry Sussman. The Conniver Reference Manual MIT AI Memo 259. May 1972.
  • Daniel Bobrow: A Model for Control Structures for Artificial Intelligence Programming Languages IJCAI 1973.
  • Carl Hewitt, Peter Bishop and Richard Steiger. A Universal Modular Actor Formalism for Artificial Intelligence IJCAI 1973.
  • Christopher Strachey and Christopher P. Wadsworth. Continuations: a Mathematical semantics for handling full jumps Technical Monograph PRG-11. Oxford University Computing Laboratory. January 1974. Reprinted in Higher Order and Symbolic Computation, 13(1/2):135—152, 2000, with a foreword by Christopher P. Wadsworth.
  • John C. Reynolds. Definitional Interpreters for Higher-Order Programming Languages Proceedings of 25th ACM National Conference, pp. 717–740, 1972. Reprinted in Higher-Order and Symbolic Computation 11(4):363-397, 1998, with a foreword.
  • John C. Reynolds. On the Relation between Direct and Continuation Semantics Proceedings of Second Colloquium on Automata, Languages, and Programming. LNCS Vol. 14, pp. 141–156, 1974.
  • Reynolds, John C. (1993). "The discoveries of continuations" (PDF). LISP and Symbolic Computation. 6 (3/4): 233–248.
  • Gerald Sussman and Guy Steele. SCHEME: An Interpreter for Extended Lambda Calculus AI Memo 349, MIT Artificial Intelligence Laboratory, Cambridge, Massachusetts, December 1975. Reprinted in Higher-Order and Symbolic Computation 11(4):405-439, 1998, with a foreword.
  • Robert Hieb, R. Kent Dybvig, Carl Bruggeman. Representing Control in the Presence of First-Class Continuations Proceedings of the ACM SIGPLAN '90 Conference on Programming Language Design and Implementation, pp. 66–77.
  • Will Clinger, Anne Hartheimer, Eric Ost. Implementation Strategies for Continuations Proceedings of the 1988 ACM conference on LISP and Functional Programming, pp. 124–131, 1988. Journal version: Higher-Order and Symbolic Computation, 12(1):7-45, 1999.
  • Christian Queinnec. Inverting back the inversion of control or, Continuations versus page-centric programming SIGPLAN Notices 38(2), pp. 57–64, 2003.

External links

Read other articles:

Artikel ini bukan mengenai Ali Zainal Abidin Aljufri. Ali ZainalLahirAli Zainal Abidin Shahab12 November 1978 (umur 45)Jakarta, IndonesiaNama lainAli ZaenalPekerjaanAktor, pembawa acaraTahun aktif2001 - sekarangPartai politik  PerindoSuami/istriRena Oktavia Muis ​(m. 2006)​AnakJibril Zayinal ShahabMikhail Habibie Shahab Ali Zainal Abidin Shahab yang dikenal sebagai Ali Zaenal (lahir 12 November 1978) adalah seorang aktor dan pembawa acara ber…

李存義可以是下列人物: 李存義 (後唐),封睦王,為後唐莊宗李存勗冤殺。養子郭從謙為之報仇,史稱興教門之變。 李存義 (明朝),(?-1385年),明朝開國功臣李善長之弟。洪武十八年(1385年),與其子李佑同死於胡惟庸案。 李存義 (清朝),(1847年-1921年),原名存毅,字肅堂。晚清的武术名家。形意拳一代宗师,亦精通八卦掌。 这是一个消歧义页,羅列了有相同或相…

Ligging ten noorden van Genève Schema van de LHC met de kleinere injectieringen voor de deeltjes en de diverse detectors in de hoofdring ATLAS, wat staat voor A Toroidal LHC ApparatuS, is een van de zes deeltjesdetectorexperimenten die plaatsvinden in de Large Hadron Collider (LHC), een deeltjesversneller van het CERN in Zwitserland. De andere experimenten zijn ALICE, CMS, TOTEM, LHCb en LHCf. ATLAS is 46 meter lang en 25 meter in diameter en weegt ongeveer 7000 ton. Het project omvat ongeveer …

Despicable Me 3Poster film Despicable Me 3Sutradara Pierre Coffin Kyle Balda Produser Chris Meledandri Janet Healy Ditulis oleh Cinco Paul Ken Daurio Pemeran Steve Carell Kristen Wiig Trey Parker Pierre Coffin Miranda Cosgrove Steve Coogan Jenny Slate Dana Gaier Nev Scharrel Julie Andrews Penata musikHeitor Pereira[1]PenyuntingClaire DodgsonPerusahaanproduksi Universal Pictures[2] Illumination Entertainment[2] DistributorUniversal PicturesTanggal rilis 30 Juni 2017&…

Komponen CadanganTentara Nasional IndonesiaLambang TNI KCAktif2021 - sekarangNegara IndonesiaAliansi Presiden Republik IndonesiaCabang TNI Angkatan Darat TNI Angkatan Laut TNI Angkatan UdaraTipe unitPasukan cadangan militerPeranPengganda kekuatan TNIJumlah personel8.875 PersonelBagian dari Tentara Nasional IndonesiaJulukanKomcad (TNI KC)MotoKomponen Cadangan Terlatih, Teruji dan TerpercayaBaret COKLAT MUDA HimneMars Komponen Cadangan Komponen Cadanngan Tentara Nasional Indonesia, disin…

Copa Mundial de Rugby Femenino de 2014 Copa Mundial de Rugby Femenino Datos generalesSede  FranciaFecha Del 1 al 17 de agostoEdición 7Organizador World Rugby y Federación Francesa de RugbyPalmarésDef. título Nueva ZelandaPrimero  InglaterraSegundo  CanadáTercero  FranciaCuarto IrlandaDatos estadísticosParticipantes 12Partidos 30 Cronología Copa Mundial Femenina de Rugby de 2010 Copa Mundial de Rugby Femenino de 2014 Copa Mundial de Rugby Femenino de 2017 Sitio oficial …

يفتقر محتوى هذه المقالة إلى الاستشهاد بمصادر. فضلاً، ساهم في تطوير هذه المقالة من خلال إضافة مصادر موثوق بها. أي معلومات غير موثقة يمكن التشكيك بها وإزالتها. (ديسمبر 2018) الجريمة في إسرائيل موجودة في أشكال مختلفة في إسرائيل حيث تشمل الإتجار بالمخدرات، والإتجار بالأسلحة، والس

Gerbang Amsterdam (ca.1857-72) Lokasi bekas berdirinya Gerbang Amsterdam, tahun 2015 Gerbang Amsterdam (Belanda: Amsterdamsche Poort) disebut juga Pinangpoort (Gerbang Pinang) atau Kasteelpoort merupakan gerbang sisa peninggalan benteng VOC semasa J.P. Coen. Pada pertengahan abad ke-19, gerbang ini merupakan sisa satu-satunya dari benteng yang dihancurkan dan mulai ditinggalkan semasa gubernur Jenderal HW Daendels. Gerbang ini pernah mengalami beberapa kali pemugaran. Gubernur Jenderal Gustaaf W…

Penutup Daging Sapi atau lebih dikenal dengan nama Topside atau Round adalah bagian daging sapi yang terletak di bagian paha belakang sapi dan sudah mendekati area pantat sapi. Potongan daging sapi di bagian ini sangat tipis dan kurang lebih sangat liat. Selain itu bagian ini sangat kurang lemak sehingga jika dibakar atau dipanggang akan sangat lama melunakkannya. Biasanya daging ini digunakan untuk campuran daging pizza. lbsBagian daging sapiAtas Paha depan Daging iga Has dalam Has luar Tanjung…

Легка атлетикаНапівмарафон Зерсенай Тадесе(ексрекордсмен світу)Умови проведенняМісце на відкритому повітріПоверхня шосеРекорди (чоловіки)світу Джейкоб Кіплімо57.31 (2021)Європи Жульєн Вандерс59.13 (2019)України Богдан-Іван Городиський1:00.40 (2020) Світові рекорди з напівмарафону в…

Czech sprinter Josef LomickýLomický in 1978Personal informationNationalityCzechBorn (1958-02-19) 19 February 1958 (age 65)SportSportSprintingEvent4 × 400 metres relay Josef Lomický (born 19 February 1958) is a retired Czech sprinter. He competed in the men's 4 × 400 metres relay at the 1980 Summer Olympics.[1] International competitions Year Competition Venue Position Event Notes 1978 European Championships Prague, Czechoslovakia 3rd 4 × 400 m relay References ^ Evans, Hilary;…

Romania Uniformi di gara Casa Trasferta Sport Pallavolo Federazione FRV Confederazione CEV Codice CIO ROU Selezionatore Sergiu Stancu Ranking FIVB 54° (ottobre 2019) Giochi olimpici Partecipazioni 3 (esordio: 1964) Miglior risultato Terzo posto nel 1980 Campionato mondiale Partecipazioni 10 (esordio: 1949) Miglior risultato Secondo posto nel 1956, 1966 Campionato europeo Partecipazioni 18 (esordio: 1950) Miglior risultato Campione nel 1963 Coppa del Mondo Partecipazioni 2 (esordio: 1965) Miglio…

العلاقات البيروفية الغانية بيرو غانا   بيرو   غانا تعديل مصدري - تعديل   العلاقات البيروفية الغانية هي العلاقات الثنائية التي تجمع بين بيرو وغانا.[1][2][3][4][5] مقارنة بين البلدين هذه مقارنة عامة ومرجعية للدولتين: وجه المقارنة بيرو غانا المساحة (…

Puerto Rican musician Yomo ToroBackground informationBirth nameVíctor Guillermo ToroAlso known asYomo ToroBorn(1933-07-26)July 26, 1933OriginGuánica, Puerto RicoDiedJune 30, 2012(2012-06-30) (aged 78)Bronx, New YorkGenres Bomba aguinaldos bolero salsa Latin pop acoustic son guaguanco plena Occupation(s) Cuatro player guitarist composer musician arranger Instrument(s)CuatroYears active1951–2012Labels Fania Island SEECO Musical artist Víctor Guillermo Yomo Toro (26 July 1933 – 30 June …

East Timorese government minister Minister of Agriculture and FisheriesPortuguese: Ministro da Agricultura e PescasTetum: Ministru Agrikultura no PeskasCoat of Arms of East TimorFlag of East TimorIncumbentMarcos da Cruz [de]since 1 July 2023Ministry of Agriculture and FisheriesStyleMinister(informal)His Excellency(formal, diplomatic)Member ofConstitutional GovernmentReports toPrime MinisterSeatDili, East TimorAppointerPresident of East Timor(following proposal by the Prime Mini…

Esta é uma lista de vilas portuguesas. Desde 2019, Portugal tem 581 povoações com a categoria de vila. Muitas das vilas são sedes de freguesia e/ou de município.[1] Brasão Vila Município Distrito/ Região Autónoma NUTS III Superfície População N.º de freguesias Freguesias que integram a vila Desde A dos Cunhados (vila) Torres Vedras Lisboa Oeste 43,98 km² 8 459 1 A dos Cunhados 1995 (30 de Agosto) A dos Francos (vila) Caldas da Rainha Leiria Oeste 19,78 km² 1 70…

Fictional character from the Stargate universe Fictional character Daniel JacksonMichael Shanks as Daniel JacksonFirst appearanceStargateLast appearanceIncursion (Universe)Portrayed byJames Spader (1994)Michael Shanks (1997–2010)In-universe informationSpeciesHumanOccupationArchaeologistLinguistFamilyMelburn Jackson (father), Claire Jackson (mother), Nick Ballard (grandfather), Vala (Wife) Sha're (deceased wife), Shifu (step-son), Skaara (brother in law), Kasuf (father in law)NationalityAmerica…

Bài viết này là một bài mồ côi vì không có bài viết khác liên kết đến nó. Vui lòng tạo liên kết đến bài này từ các bài viết liên quan; có thể thử dùng công cụ tìm liên kết. (tháng 8 năm 2020) MazurekBánh Mazurek truyền thốngTên khácBánh Shortcake Easter[1]LoạiBánh ngọtXuất xứBa LanNhiệt độ dùngNhiệt độ phòngThành phần chínhBột mì, đường, bơ hoặc bơ thực vật, trứng, kem phủ trang …

American actress (1896–1988) Olive CareyOlive Carey in The Searchers 1956BornOlive Fuller Golden(1896-01-31)January 31, 1896New York City, U.S.DiedMarch 13, 1988(1988-03-13) (aged 92)Carpinteria, California, U.S.OccupationActorYears active1912–1966Spouse Harry Carey ​ ​(m. 1920; died 1947)​Children2, including Harry Carey Jr.ParentGeorge Fuller Golden (father) Olive Carey (born Olive Fuller Golden; January 31, 1896 – March 13, 1988)…

2020 studio album by HindsThe Prettiest CurseStudio album by HindsReleased5 June 2020 (2020-06-05)RecordedNew YorkLondon [1]GenreGarage rockLength32:45LabelLucky NumberMom + PopProducerJennifer DecilveoHinds chronology I Don't Run(2018) The Prettiest Curse(2020) Singles from The Prettiest Curse Riding SoloReleased: December 3, 2019 Good Bad TimesReleased: February 4, 2020 Come Back and Love Me <3Released: March 6, 2020 Just Like Kids (Miau)Released: April 28, 20…

Kembali kehalaman sebelumnya

Lokasi Pengunjung: 3.144.121.155