Snowball sampling BBA Chapter 6

Data Management Report

Author
Affiliation

Rainer M. Krug

Published

March 4, 2024

Doi
Abstract

A snowball literature using OpenAlex will be conducted and all steps documented. The literature search is for the finance section of Chapter 6 of the IPBES Business and Biodiversity assessment.

DOI GitHub release GitHub commits since latest release License: CC BY 4.0

Working Title

Literature search for BBA Chapter 6 Finance Section

Code repo

IPBES_BBA_Ch6_critical_approach_finance

Version 0.1.0 Build No 11

Read Key-paper

Show the code
#|

kp <- jsonlite::read_json(params$keypapers)

dois <- sapply(
    kp,
    function(x) {
        x$DOI
    }
) |>
    unlist() |>
    unique() |>
    as.character()

dois <- dois[!is.null(dois)]

Of the 22 keypapers, 20 have a DOI and can be used for the further search.

Searches

Searches are conducted with the OpenAlex API. The API is documented here.

Get key_works

Show the code
#|

fn <- file.path("data", "key_works.rds")
if (!file.exists(fn)) {
    key_works <- oa_fetch(
        entity = "works",
        doi = dois,
        verbose = FALSE
    )
    saveRDS(key_works, fn)
} else {
    key_works <- readRDS(fn)
}

key_works_cit <- IPBES.R::abbreviate_authors(key_works)

Setup OpenAlex usage and do snowball serarch

Show the code
#|

ids <- openalexR:::shorten_oaid(key_works$id)

fn <- file.path("data", "snowball.rds")
if (file.exists(fn)) {
    snowball <- readRDS(fn)
} else {
    snowball <- oa_snowball(
        identifier = ids,
        verbose = FALSE
    )
    saveRDS(snowball, fn)
}

flat_snow <- snowball2df(snowball) |>
    tibble::as_tibble()

Supplemented edges between all papers

Show the code
#|

fn <- file.path("data", "snowball_supplemented.rds")
if (file.exists(fn)) {
    snowball_supplemented <- readRDS(fn)
} else {
    new_edges <- tibble(
        from = character(0),
        to = character(0)
    )

    works <- snowball$nodes$id

    for (i in 1:nrow(snowball$nodes)) {
        from <- works[[i]]
        to <- gsub("https://openalex.org/", "", snowball$nodes$referenced_works[[i]])
        to_in_works <- to[to %in% works]
        if (length(to_in_works) > 0) {
            new_edges <- add_row(
                new_edges,
                tibble(
                    from = from,
                    to = to_in_works
                )
            )
        }
    }

    snowball_supplemented <- snowball
    snowball_supplemented$edges <- add_row(snowball_supplemented$edges, new_edges) |>
        distinct()

    saveRDS(snowball_supplemented, fn)
}

Results

Number of papers cited by keypapers

Show the code
snowball$edges |>
    filter(from %in% names(key_works_cit)) |>
    unique() |>
    mutate(
        cit = unlist(key_works_cit[from])
    ) |>
    select(cit) |>
    table() |>
    as.data.frame() |>
    arrange(desc(Freq)) |>
    knitr::kable(
        col.names = c("Key paper", "Number of papers"),
        caption = "Number of papers cited by Keypapers in the snowball search"
    )
Number of papers cited by Keypapers in the snowball search
Key paper Number of papers
Thiemann et al. (2020) 83
Stellinga (2019) 67
Baker (2018) 66
Coombs & Thiemann (2022) 57
Cassar (2023) 54
Taylor (2022) 53
Kranke & Yarrow (2018) 48
Stellinga & Mügge (2017) 36
Best (2022) 31
Lockwood (2014) 30
Siderius (2022) 30
Quorning (2023) 29
Mennillo & Sinclair (2019) 27
Jackson & Bailey (2023) 24
Özgöde (2021) 23
Abreu & Lopes (2021) 16
Langley & Morris (2020) 13
Svetlova (2012) 9
Show the code
snowball$edges |>
    filter(to %in% names(key_works_cit)) |>
    unique() |>
    mutate(
        cit = unlist(key_works_cit[to]),
    ) |>
    select(cit) |>
    table() |>
    as.data.frame() |>
    arrange(desc(Freq)) |>
    knitr::kable(
        col.names = c("Key paper", "Number of papers"),
        caption = "No of papers citing the Keypapers in the snowball search"
    )
No of papers citing the Keypapers in the snowball search
Key paper Number of papers
Goede (2004) 173
Svetlova (2012) 70
Baker (2018) 61
Lockwood (2014) 56
Stellinga & Mügge (2017) 27
Stellinga (2019) 23
Kranke & Yarrow (2018) 21
Coombs & Thiemann (2022) 20
Langley & Morris (2020) 19
Thiemann et al. (2020) 19
Siderius (2022) 14
Özgöde (2021) 8
Best (2022) 7
Quorning (2023) 7
Taylor (2022) 5
Mennillo & Sinclair (2019) 4
Jackson & Bailey (2023) 2
Abreu & Lopes (2021) 1

Export snowball as Excel file

Show the code
#|

IPBES.R::to_xlsx(snowball) |>
    IPBES.R::table_dt(caption = "Snowball search as Excel file", fixedColumns = NULL)
Warning in instance$preRenderHook(instance): It seems your data is too big for
client-side DataTables. You may consider server-side processing:
https://rstudio.github.io/DT/server.html

The column are: (the Concept columns are not that relevant at the moment)

  • id: internal id fromOpenAlex
  • author: authors of the paper
  • publication_year: publication year
  • title: title of the paper
  • doi: doi of the paper
  • no_referenced_works: number of references in the paper which are also in OpenAlex
  • cited_global: Number of times the paper has been cited
  • cited_global_per_year: standardised number of times cirted (cited_global / number of years published)
  • no_connections: number of connections in the rgaph, i.e. either cited or citing a paper in the snowball corpus
  • concepts_l0: Concept 0. level assigned by OpenAlex
  • concepts_l1: Concept 1. level assigned by OpenAlex
  • concepts_l2: Concept 2. level assigned by OpenAlex
  • concepts_l3: Concept 3. level assigned by OpenAlex
  • concepts_l4: Concept 4. level assigned by OpenAlex
  • concepts_l5: Concept 5. level assigned by OpenAlex
  • author_institute: Institute of the authors
  • institute_country: Country of the institute
  • abstract: the abstract of the paper

Static Citation Network Graph

Interactive Citation Network Graph

The following interactions are possible:

  • moving your mouse over a node, the title author and year of the paper is shown.
  • clicking on a node will open the paper in a new tab.
  • scrolling up and down with your scroll wheel zooms in and out
  • clicking on the canvas and move the mouse will move the network
  • clicking on a node and dragging it moves the node

Snowball Search

Show the code
#|

fn <- file.path("figures", "snowball_cited_by_count_by_year.html")
# if (file.exists(fn)) {
#     htmltools::includeHTML(fn)
# } else {
IPBES.R::plot_snowball_interactive(
    snowball = snowball,
    key_works = key_works,
    file = fn
)
Show the code
# }

To open the interactive graph in a standalone window click here.

Supplemented Snowball Search

Show the code
# fn <- file.path("figures", "snowball_supplemented_cited_by_count.html")
# if (file.exists(fn)) {
#     htmltools::includeHTML(fn)
# } else {
IPBES.R::plot_snowball_interactive(
    snowball = snowball_supplemented,
    key_works = key_works,
    file = fn
)
Show the code
# }

To open the interactive graph in a standalone window click here.

Identification of references with more than one edge

This is the number of connections (connection_count)of the paper (id)

Show the code
#|

mult_edge <- flat_snow |>
    select(id, connection_count) |>
    filter(connection_count > 1) |>
    arrange(desc(connection_count))

links <- flat_snow |>
    filter(id %in% mult_edge$id)

links |>
    select(id, display_name, publication_year, doi, connection_count) |>
    arrange(desc(connection_count)) |>
    knitr::kable()
id display_name publication_year doi connection_count
W2134649222 Repoliticizing financial risk 2004 https://doi.org/10.1080/03085140410001677120 173
W2796057114 Macroprudential regimes and the politics of social purpose 2018 https://doi.org/10.1080/09692290.2018.1459780 127
W3040576919 Measuring and mitigating systemic risks: how the forging of new alliances between central bank and academic economists legitimize the transnational macroprudential agenda 2020 https://doi.org/10.1080/09692290.2020.1779780 102
W2049415454 Predicting the unpredictable: Value-at-risk, performativity, and the politics of financial uncertainty 2014 https://doi.org/10.1080/09692290.2014.957233 86
W1965399969 On the performative power of financial models 2012 https://doi.org/10.1080/03085147.2011.616145 79
W4303646071 Recentering central banks: Theorizing state-economy boundaries as central bank effects 2022 https://doi.org/10.1080/03085147.2022.2118450 77
W2905096573 The Global Governance of Systemic Risk: How Measurement Practices Tame Macroprudential Politics 2018 https://doi.org/10.1080/13563467.2018.1545754 69
W2610704610 The regulator’s conundrum. How market reflexivity limits fundamental financial reform 2017 https://doi.org/10.1080/09692290.2017.1320300 63
W4293238708 ‘Making financial sense of the future’: actuaries and the management of climate-related financial risk 2022 https://doi.org/10.1080/13563467.2022.2067838 58
W4388640087 Economics as intervention: Expert struggles over quantitative easing at the Bank of England 2023 https://doi.org/10.1093/ser/mwad060 54
W2965479042 The open-endedness of macroprudential policy. Endogenous risks as an obstacle to countercyclical financial regulation 2019 https://doi.org/10.1017/bap.2019.14 48
W4285008042 An unexpected climate activist: central banks and the politics of the climate-neutral economy 2022 https://doi.org/10.1080/13501763.2022.2093948 44
W2950822507 Why performativity limits credit rating reform 2019 https://doi.org/10.2218/finsoc.v5i1.3016 42
W4307169809 Uncomfortable knowledge in central banking: Economic expertise confronts the visibility dilemma 2022 https://doi.org/10.1080/03085147.2022.2121066 38
W4322492931 The ‘climate shift’ in central banks: how field arbitrageurs paved the way for climate stress testing 2023 https://doi.org/10.1080/09692290.2023.2171470 36
W3045426445 Central banks: Climate governors of last resort? 2020 https://doi.org/10.1177/0308518x20951809 32
W2919379750 A hard nut to crack: Regulatory failure shows how rating really works 2019 https://doi.org/10.1177/1024529419833870 31
W3132850506 The emergence of systemic risk: The Federal Reserve, bailouts, and monetary government at the limits 2021 https://doi.org/10.1093/ser/mwaa053 31
W4385459174 ‘Facilitating the transition to net zero’ and institutional change in the Bank of England: Perceptions of the environmental mandate and its policy implications within the British state 2023 https://doi.org/10.1177/13691481231189382 26
W3158188755 Forward guidance and the semiotic turn of the European Central Bank 2021 https://doi.org/10.1080/17530350.2021.1921829 17
W1973891309 The New Political Economy of the Macroprudential Ideational Shift 2013 https://doi.org/10.1080/13563467.2012.662952 8
W4307048923 Growth at risk: Boundary walkers, stylized facts and the legitimacy of countercyclical interventions 2022 https://doi.org/10.1080/03085147.2022.2117341 8
W1590274302 An Engine, Not a Camera 2006 https://doi.org/10.7551/mitpress/9780262134606.001.0001 6
W2129673607 Brave New World? Macro-prudential policy and the new political economy of the federal reserve 2014 https://doi.org/10.1080/09692290.2014.915578 5
W2891097897 Is resilience enough? The macroprudential reform agenda and the lack of smoothing of the cycle 2018 https://doi.org/10.1111/padm.12551 5
W2969772043 The Myth of Market Neutrality: A Comparative Study of the European Central Bank’s and the Swiss National Bank’s Corporate Security Purchases 2019 https://doi.org/10.1080/13563467.2019.1657077 5
W2992698205 What do stress tests test? Experimentation, demonstration, and the sociotechnical performance of regulatory science 2020 https://doi.org/10.1111/1468-4446.12739 5
W4307387808 Narrating imagined crises: How central bank storytelling exerts infrastructural power 2022 https://doi.org/10.1080/03085147.2022.2117313 5
W4307689651 Independence without purpose? Macroprudential regulation at the Bundesbank 2022 https://doi.org/10.1080/03085147.2022.2117339 5
W2005501311 Credit rating agencies and the sovereign debt crisis: Performing the politics of creditworthiness through risk and uncertainty 2013 https://doi.org/10.1080/09692290.2012.720272 4
W2472666336 The symbolic politics of delegation: macroprudential policy and independent regulatory authorities 2016 https://doi.org/10.1080/13563467.2016.1198758 4
W2546563941 Speaking to the people? Money, trust, and central bank legitimacy in the age of quantitative easing 2016 https://doi.org/10.1080/09692290.2016.1252415 4
W2567289819 null 2016 https://doi.org/10.17265/2159-5313/2016.09.003 4
W2951018547 How central bankers learned to love financialization: The Fed, the Bank, and the enlisting of unfettered markets in the conduct of monetary policy 2019 https://doi.org/10.1093/ser/mwz011 4
W4205940293 Technocratic Keynesianism: a paradigm shift without legislative change 2021 https://doi.org/10.1080/13563467.2021.2013791 4
W4388493809 One future to bind them all? Modern central banking and the limits of performative governability 2023 https://doi.org/10.1177/13691481231210382 4
W4389508637 The central bank lacuna in green state transformation 2023 https://doi.org/10.1080/09644016.2023.2289336 4
W4391895931 Legitimising green monetary policies: market liberalism, layered central banking, and the ECB’s ongoing discursive shift from environmental risks to price stability 2024 https://doi.org/10.1080/13501763.2024.2317969 4
W2105201246 The Flaws of Fragmented Financial Standard Setting 2014 https://doi.org/10.1177/0032329213519420 3
W2108325260 The unstable core of global finance: Contingent valuation and governance of international accounting standards 2014 https://doi.org/10.1111/rego.12052 3
W2116923123 Governing the future: the European Central Bank’s expectation management during the Great Moderation 2015 https://doi.org/10.1080/03085147.2015.1049447 3
W2144656183 Round Up the Usual Suspects: Blame and the Subprime Crisis 2010 https://doi.org/10.1080/13563460903553657 3
W2144945758 Anticipating uncertainty, reviving risk? On the stress testing of finance in crisis 2013 https://doi.org/10.1080/03085147.2012.686719 3
W2159086724 The Emerging Post-Crisis Financial Architecture: The Path-Dependency of Ideational Adverse Selection 2014 https://doi.org/10.1111/1467-856x.12056 3
W2160370263 From performativity to political economy: index investing, ETFs and asset manager capitalism 2015 https://doi.org/10.1080/13563467.2016.1094045 3
W2341929119 Governing the system: Risk, finance, and neoliberal reason 2015 https://doi.org/10.1177/1354066115593393 3
W2528089033 Revolving doors in international financial governance 2020 https://doi.org/10.1111/glob.12286 3
W2560401020 The performativity of potential output: pro-cyclicality and path dependency in coordinating European fiscal policies 2017 https://doi.org/10.1080/09692290.2017.1363797 3
W2607002712 Climate Change and Financial Instability: Risk Disclosure and the Problematics of Neoliberal Governance 2017 https://doi.org/10.1080/24694452.2017.1293502 3
W2804677512 Climate change challenges for central banks and financial regulators 2018 https://doi.org/10.1038/s41558-018-0175-0 3
W2898187675 Adding rooms onto a house we love: Central banking after the global financial crisis 2018 https://doi.org/10.1111/padm.12567 3
W2950046408 Understanding technological change in global finance through infrastructures 2019 https://doi.org/10.1080/09692290.2019.1625420 3
W2995570672 Dealing with uncertainty : a historical sociology of evaluation practices in UK life insurance, 1971-Present 2019 NA 3
W3026712173 Many shades of wrong: what governments do when they manipulate statistics 2020 https://doi.org/10.1080/09692290.2020.1769704 3
W302835844 Economists and Societies 2009 https://doi.org/10.1515/9781400833139 3
W3121178381 Constructing a Market, Performing Theory: The Historical Sociology of a Financial Derivatives Exchange 2003 https://doi.org/10.1086/374404 3
W3166908684 An Appraisal of the Financial Monetary System 2021 https://doi.org/10.1007/978-3-030-70250-2_4 3
W3172495435 Policies to Restore the Balance in the Current System 2021 https://doi.org/10.1007/978-3-030-70250-2_7 3
W4225100125 Anticipatory Global Governance: International Organisations and the Politics of the Future 2022 https://doi.org/10.1080/13600826.2021.2021150 3
W4232307418 Securing Finance, Mobilizing Risk 2018 https://doi.org/10.4324/9781315113302 3
W4239727386 Imagined Futures 2016 https://doi.org/10.4159/9780674545878 3
W4248946667 The Status Quo Crisis 2014 https://doi.org/10.1093/acprof:oso/9780199973637.001.0001 3
W4282813298 Between technocracy and politics: How financial stability committees shape precautionary interventions in real estate markets 2022 https://doi.org/10.1111/rego.12476 3
W4307731538 Dependence on independence: Central bank lawyers and the (un)making of the European economy 2022 https://doi.org/10.1080/03085147.2022.2121068 3
W4309127685 Imaginary failure: RegTech in finance 2022 https://doi.org/10.1080/13563467.2022.2140795 3
W4310389771 Beyond market neutrality? Central banks and the problem of climate change 2023 https://doi.org/10.2218/finsoc.8090 3
W4381249330 Taming the real estate boom in the EU: Pathways to macroprudential (in)action 2023 https://doi.org/10.1111/rego.12529 3
W4385738133 Climate policy at the Bank of England: the possibilities and limits of green central banking 2023 https://doi.org/10.1080/14693062.2023.2245790 3
W4388059881 Scientization of Central Banking: The Politics of A-Politicization 2009 https://doi.org/10.1093/oso/9780199218233.003.0017 3
W4388551291 The ontology of financial markets and the policy paradigm of financial regulation 2023 https://doi.org/10.1080/14747731.2023.2279203 3
W4391514932 Walking a thin line: a reputational account of green central banking 2024 https://doi.org/10.1080/09644016.2024.2305106 3
W1491645751 Resilient neo-liberalism in European financial regulation 2013 https://doi.org/10.1017/cbo9781139857086.010 2
W152781707 Credit Rating Agencies on the Watch ListAnalysis of European Regulation 2012 https://doi.org/10.1093/acprof:oso/9780199608867.001.0001 2
W1939626275 Banking on Bonds: The New Links Between States and Markets 2015 https://doi.org/10.1111/jcms.12309 2
W1948736701 Who Governs Finance? The Shifting Public–Private Divide in the Regulation of Derivatives, Rating Agencies and Hedge Funds 2011 https://doi.org/10.1111/j.1468-0386.2011.00585.x 2
W1991767658 Distinctions, affiliations, and professional knowledge in financial reform expert groups 2014 https://doi.org/10.1080/13501763.2014.882967 2
W1991843878 Narrative Construction as Sensemaking: How a Central Bank Thinks 2010 https://doi.org/10.1177/0170840609357380 2
W1998598362 The Performance of Liquidity in the Subprime Mortgage Crisis 2010 https://doi.org/10.1080/13563460903553624 2
W2004215056 Leveraged interests: Financial industry power and the role of private sector coalitions 2013 https://doi.org/10.1080/09692290.2013.819811 2
W2006450833 The usefulness of inaccurate models: Towards an understanding of the emergence of financial risk management 2009 https://doi.org/10.1016/j.aos.2008.10.002 2
W2015940648 What were they thinking? The Federal Reserve in the run-up to the 2008 financial crisis 2014 https://doi.org/10.1080/09692290.2014.932829 2
W2023463286 Micro- or macro-moralities? Economic discourses and policy possibilities∗ 2006 https://doi.org/10.1080/09692290600839881 2
W2034222193 Reflexivity unpacked: performativity, uncertainty and analytical monocultures 2013 https://doi.org/10.1080/1350178x.2013.859404 2
W2038582249 PERFORMATIVITY, MISFIRES AND POLITICS 2010 https://doi.org/10.1080/17530350.2010.494119 2
W2057009135 The Narrative of Complexity in the Crisis of Finance: Epistemological Challenge and Macroprudential Policy Response 2013 https://doi.org/10.1080/13563467.2012.710601 2
W2061092922 The institutional paradoxes of monetary orthodoxy: reflections on the political economy of central bank independence 2002 https://doi.org/10.1080/09692290110101153 2
W2092110170 The making of US monetary policy: Central bank transparency and the neoliberal dilemma 2007 https://doi.org/10.1007/s11186-007-9043-z 2
W2094380762 Reading the right signals and reading the signals right: IPE and the financial crisis of 2008 2013 https://doi.org/10.1080/09692290.2013.804854 2
W2107146259 ‘A device for being able to book P&L’: The organizational embedding of the Gaussian copula 2014 https://doi.org/10.1177/0306312713517158 2
W2113844900 For a Sociology of Expertise: The Social Origins of the Autism Epidemic 2013 https://doi.org/10.1086/668448 2
W2118695241 Governing Failure - Provisional Expertise and the Transformation of Global Development Finance 2014 https://doi.org/10.26530/oapen_472457 2
W2122450943 Epistemic arbitrage: Transnational professional knowledge in action 2014 https://doi.org/10.1093/jpo/jot005 2
W2125053158 Ambiguity, Uncertainty, and Risk: Rethinking Indeterminacy1 2008 https://doi.org/10.1111/j.1749-5687.2008.00056.x 2
W2138075691 Austerity versus Stimulus? Understanding Fiscal Policy Change at the International Monetary Fund Since the Great Recession 2014 https://doi.org/10.1111/gove.12099 2
W2147018250 Keep It Simple: Policy Responses to the Financial Crisis 2009 https://doi.org/10.2139/ssrn.1368164 2
W2152007396 Markets: The Credit Rating Agencies 2010 https://doi.org/10.1257/jep.24.2.211 2
W2152543293 Linked Ecologies: States and Universities as Environments for Professions 2005 https://doi.org/10.1111/j.0735-2751.2005.00253.x 2
W2155116598 From failure to failure: The politics of international banking regulation 2011 https://doi.org/10.1080/09692290.2011.603669 2
W2158366291 The gradual transformation? The incremental dynamics of macroprudential regulation 2013 https://doi.org/10.1111/rego.12022 2
W2165354517 Professional emergence on transnational issues: Linked ecologies on demographic change 2014 https://doi.org/10.1093/jpo/jou006 2
W2285175056 Performative global finance: bridging micro and macro approaches with a stratified perspective 2015 https://doi.org/10.1080/13563467.2016.1113948 2
W2285762796 Resilient blunderers: credit rating fiascos and rating agencies’ institutionalized status as private authorities 2016 https://doi.org/10.1080/13501763.2015.1127274 2
W2295593944 Integrating macro-prudential policy: central banks as the ‘third force’ in EU financial reform 2016 https://doi.org/10.1080/01402382.2016.1143243 2
W2316793683 Beyond macroprudential regulation: Three ways of thinking about financial crisis, regulation and reform 2012 https://doi.org/10.1111/j.1758-5899.2011.00167.x 2
W2320214805 From uncertainty toward risk: the case of credit ratings 2013 https://doi.org/10.1093/ser/mws027 2
W2328049688 Do economists make policies? On the political effects of economics 2014 https://doi.org/10.1093/ser/mwu017 2
W2410333912 Central banking and inequalities 2016 https://doi.org/10.1177/1470594x16651056 2
W2478550933 Credit Rating Agencies 2014 https://doi.org/10.1093/acprof:oso/9780199683963.003.0009 2
W2513996064 Regieren durch Risiko 2016 https://doi.org/10.1007/978-3-658-10428-3_19 2
W2535017058 Systemic risk, macro-prudential regulation and organizational diversity in banking 2016 https://doi.org/10.1016/j.polsoc.2016.09.002 2
W2563008169 Fielding Supranationalism: The European Central Bank as a Field Effect 2016 https://doi.org/10.1111/2059-7932.12006 2
W2564129995 Grey matter in shadow banking: international organizations and expert strategies in global financial governance 2016 https://doi.org/10.1080/09692290.2016.1235599 2
W2775757215 Financialization as calculative practice: the rise of structured finance and the cultural and calculative transformation of credit rating agencies 2017 https://doi.org/10.1093/ser/mwx043 2
W2786369402 The ‘Get Out of Jail Card’: The Immunity Risk Provides Financial Markets and Regulators from the Consequences of Their Mistakes 2018 https://doi.org/10.1007/978-3-319-68173-3_7 2
W2790242137 Governing through financial markets: Towards a critical political economy of Capital Markets Union 2018 https://doi.org/10.1177/1024529418759476 2
W2791159758 Central banking and the infrastructural power of finance: the case of ECB support for repo and securitization markets 2018 https://doi.org/10.1093/ser/mwy008 2
W2888695209 Much Ado About Nothing? Macro-Prudential Ideas and the Post-Crisis Regulation of Shadow Banking 2018 https://doi.org/10.1007/s11577-018-0546-6 2
W2896337900 The professional politics of the austerity debate: A comparative field analysis of the European Central Bank and the International Monetary Fund 2019 https://doi.org/10.1111/padm.12561 2
W2901099983 How expectations became governable: institutional change and the performative power of central banks 2018 https://doi.org/10.1007/s11186-018-09334-0 2
W2913363258 The Growth of Shadow Banking 2018 https://doi.org/10.1017/9781316676837 2
W2918318813 Environmental Beta or How Institutional Investors Think about Climate Change and Fossil Fuel Risk 2019 https://doi.org/10.1080/24694452.2018.1489213 2
W2937038911 Recherche en finance : quand la performativité invite à la réflexivité 2019 https://doi.org/10.3917/geco1.135.0029 2
W2938857492 The poverty of fintech? Psychometrics, credit infrastructures, and the limits of financialization 2019 https://doi.org/10.1080/09692290.2019.1597753 2
W2963483084 Contingent Keynesianism: the IMF’s model answer to the post-crash fiscal policy efficacy question in advanced economies 2019 https://doi.org/10.1080/09692290.2019.1640126 2
W2992677923 Model migration and rough edges: British actuaries and the ontologies of modelling 2019 https://doi.org/10.1177/0306312719893465 2
W2995573784 The power of economic models: the case of the EU’s fiscal regulation framework 2019 https://doi.org/10.1093/ser/mwz052 2
W2997450066 Bank power and public policy since the financial crisis 2020 https://doi.org/10.1017/bap.2019.35 2
W3055273122 Macroprudential Policy on an Uneven Playing Field: Supranational Regulation and Domestic Politics in the EU’s Dependent Market Economies 2020 https://doi.org/10.1111/jcms.13097 2
W3080504364 Exclusive expertise: the boundary work of international organizations 2020 https://doi.org/10.1080/09692290.2020.1784774 2
W3122515099 The Performativity of Potential Output: Pro-Cyclicality and Path Dependency in Coordinating European Fiscal Policies 2016 https://doi.org/10.2139/ssrn.2878005 2
W3124275573 Towards a Macroprudential Framework for Financial Supervision and Regulation? 2003 https://doi.org/10.1093/cesifo/49.2.181 2
W3125364330 Understanding the shift from micro- to macro-prudential thinking: a discursive network analysis 2017 https://doi.org/10.1093/cje/bex056 2
W3134177855 Finance, climate-change and radical uncertainty: Towards a precautionary approach to financial policy 2021 https://doi.org/10.1016/j.ecolecon.2021.106957 2
W3137792521 Central bank mandates, sustainability objectives and the promotion of green finance 2021 https://doi.org/10.1016/j.ecolecon.2021.107022 2
W3140894569 Economic Ideas in Political Time 2016 https://doi.org/10.1017/cbo9781316576915 2
W3159278479 The Rise and Stall of EU Macro‐Prudential Policy. An Empirical Analysis of Policy Conflicts over Financial Stability, Market Integration, and National Discretion* 2021 https://doi.org/10.1111/jcms.13195 2
W3159308999 Coordinating monetary policy and macroprudential policy: Bureaucratic politics, regulatory intermediary, and bank lobbying 2021 https://doi.org/10.1111/padm.12744 2
W3172185771 Advantages and Disadvantages of the Sovereign Money System 2021 https://doi.org/10.1007/978-3-030-70250-2_6 2
W3192280057 It takes two to dance: Institutional dynamics and climate-related financial policies 2021 https://doi.org/10.1016/j.ecolecon.2021.107210 2
W4213389592 Epistemic contestation and interagency conflict: The challenge of regulating investment funds 2022 https://doi.org/10.1111/rego.12457 2
W4229571503 Priests of Prosperity 2016 https://doi.org/10.7591/cornell/9781501700224.001.0001 2
W4230760002 The Limits of the State: Beyond Statist Approaches and their Critics 1991 https://doi.org/10.2307/1962879 2
W4233788603 Financial Citizenship 2018 https://doi.org/10.7591/9781501732744 2
W4237353928 Great Transformations 2002 https://doi.org/10.1017/cbo9781139087230 2
W4243562145 Trust in Numbers 1995 https://doi.org/10.1515/9781400821617 2
W4245042437 Between Debt and the Devil 2015 https://doi.org/10.1515/9781400885657 2
W4256169401 Ruling Ideas 2016 https://doi.org/10.1093/acprof:oso/9780190600389.001.0001 2
W4285385959 Talk the talk and walk the walk? European insurance capital regulation and the financial vocabulary of motive 2022 https://doi.org/10.1093/ser/mwac032 2
W4295162287 The power of folk ideas in economic policy and the central bank–commercial bank analogy 2022 https://doi.org/10.1080/13563467.2022.2109610 2
W4299462726 Accounting for whom? The financialisation of the environmental economic transition 2022 https://doi.org/10.1080/13563467.2022.2130222 2
W4300025555 The Power and Independence of the Federal Reserve 2016 https://doi.org/10.1515/9781400873500 2
W4307641526 Caught between Frontstage and Backstage: The Failure of the Federal Reserve to Halt Rule Evasion in the Financial Crisis of 1974 2022 https://doi.org/10.1177/00031224221131478 2
W4311923440 A European Credit Council? Lessons from the History of Italian Central Banking after World War II 2022 https://doi.org/10.1515/ael-2022-0071 2
W4313478034 Too green to be true? Forging a climate consensus at the European Central Bank 2023 https://doi.org/10.1080/13563467.2022.2162869 2
W4313528434 ‘Building back better’ or sustaining the unsustainable? The climate impacts of Bank of England QE in the Covid-19 pandemic 2023 https://doi.org/10.1057/s41293-022-00223-w 2
W4315471605 The Rise of Central Banks 2023 https://doi.org/10.2307/j.ctv32nxzdq 2
W4319876405 Is Asking Questions Free of Charge? Questioning the Value of Independent Central Banks through the Lens of a European Credit Council 2023 https://doi.org/10.1515/ael-2022-0108 2
W4376603979 Central Banking in Perilous Times: An Open-Ended Chronicle 2023 https://doi.org/10.1515/ael-2023-0007 2
W4388808676 The ECB and the inflation monsters: strategic framing and the responsibility imperative (1998–2023) 2023 https://doi.org/10.1080/13501763.2023.2281583 2
W4390090800 Forging monetary unification through novation: the TARGET system and the politics of central banking in Europe 2023 https://doi.org/10.1093/ser/mwad067 2
W4390347199 The political economy of monetary-fiscal coordination: central bank losses and the specter of central bankruptcy in Europe and Japan 2023 https://doi.org/10.1080/09692290.2023.2295373 2
W4391144252 Uncertainty in times of ecological crisis: a Knightian tale of how to face future states of the world 2024 https://doi.org/10.1177/13540661241226473 2
W4391616891 Indirect responsiveness and green central banking 2024 https://doi.org/10.1080/13501763.2024.2310119 2

Identification of Concepts

OpenAlex assigns all works concepts. The concepts are in hirarchical order, ranging from 0 to 3. The higher the number, the more specific the concept. The concepts are assigned to the paper (id)

Level 0

Show the code
#|

level <- 0
fn <- file.path(".", "data", paste0("concepts_l", level, ".rds"))
if (!file.exists(fn)) {
    x <- lapply(
        flat_snow[["concepts"]],
        FUN = function(x) {
            x[["display_name"]][x[["level"]] == level]
        }
    ) |>
        unlist() |>
        table() |>
        as.data.frame() |>
        arrange(desc(Freq))
    names(x) <- c(paste0("l", level, "_concept"), "count")
    saveRDS(x, fn)
}

fn |>
    readRDS() |>
    knitr::kable()
l0_concept count
Economics 743
Political science 609
Business 375
Computer science 328
Sociology 320
Philosophy 278
Biology 126
Physics 122
Mathematics 113
Engineering 111
Psychology 90
History 77
Geography 63
Chemistry 51
Art 28
Medicine 28
Environmental science 8
Geology 8
Materials science 7

Level 1

Show the code
#|

level <- 1
fn <- file.path(".", "data", paste0("concepts_l", level, ".rds"))
if (!file.exists(fn)) {
    x <- lapply(
        flat_snow[["concepts"]],
        FUN = function(x) {
            x[["display_name"]][x[["level"]] == level]
        }
    ) |>
        unlist() |>
        table() |>
        as.data.frame() |>
        arrange(desc(Freq))
    names(x) <- c(paste0("l", level, "_concept"), "count")
    saveRDS(x, fn)
}

fn |>
    readRDS() |>
    knitr::kable()
l1_concept count
Law 543
Finance 448
Financial system 197
Macroeconomics 191
Political economy 183
Epistemology 174
Market economy 119
Social science 115
Monetary economics 106
Archaeology 101
Positive economics 97
Linguistics 90
Ecology 82
Quantum mechanics 82
Keynesian economics 80
Accounting 77
Programming language 77
Economic system 74
Law and economics 73
Public administration 62
Financial economics 58
Public relations 56
Artificial intelligence 55
Management 53
Neoclassical economics 53
Algorithm 50
Biochemistry 48
Economic policy 48
Computer security 47
Economy 47
Machine learning 47
Statistics 47
Paleontology 46
Actuarial science 45
Economic growth 44
Operating system 43
Gender studies 42
Econometrics 41
Microeconomics 41
Mechanical engineering 39
Anthropology 27
International economics 25
Public economics 21
Social psychology 20
Geometry 19
Mathematical analysis 19
Natural resource economics 19
Pure mathematics 19
Aesthetics 18
Structural engineering 18
Literature 17
International trade 15
Psychotherapist 15
Theoretical physics 15
Humanities 14
Mathematical economics 14
Neuroscience 14
Development economics 13
Psychiatry 13
Risk analysis (engineering) 13
World Wide Web 13
Environmental ethics 12
Industrial organization 12
Library science 12
Pedagogy 12
Knowledge management 11
Management science 11
Communication 10
Environmental engineering 10
Environmental resource management 10
Marketing 10
Telecommunications 10
Civil engineering 9
Thermodynamics 9
Data science 8
Database 8
Economic history 8
Pathology 8
Theology 8
Acoustics 7
Combinatorics 7
Data mining 7
Demography 7
Electrical engineering 7
Cognitive psychology 6
Commerce 6
Economic geography 6
Engineering ethics 6
Environmental planning 6
Optics 6
Visual arts 6
Composite material 5
Embedded system 5
Mathematics education 5
Media studies 5
Nursing 5
Petroleum engineering 5
Process management 5
Aerospace engineering 4
Art history 4
Computer network 4
Psychoanalysis 4
Regional science 4
Waste management 4
Astronomy 3
Cartography 3
Chromatography 3
Criminology 3
Evolutionary biology 3
Information retrieval 3
Internal medicine 3
Natural language processing 3
Operations management 3
Statistical physics 3
Advertising 2
Anatomy 2
Business administration 2
Discrete mathematics 2
Forestry 2
Immunology 2
Labour economics 2
Metallurgy 2
Meteorology 2
Operations research 2
Parallel computing 2
Radiology 2
Agronomy 1
Ancient history 1
Applied mathematics 1
Arithmetic 1
Botany 1
Chemical engineering 1
Classical economics 1
Classics 1
Computer graphics (images) 1
Computer vision 1
Crystallography 1
Demographic economics 1
Dentistry 1
Electronic engineering 1
Engineering physics 1
Environmental economics 1
Environmental health 1
Environmental protection 1
Genealogy 1
Geodesy 1
Geotechnical engineering 1
Gerontology 1
Gynecology 1
Industrial engineering 1
Internet privacy 1
Manufacturing engineering 1
Mathematical optimization 1
Mechanics 1
Oceanography 1
Ophthalmology 1
Organic chemistry 1
Physical chemistry 1
Physical medicine and rehabilitation 1
Physical therapy 1
Reliability engineering 1
Software engineering 1
Soil science 1
Surgery 1
Virology 1
Welfare economics 1

Level 2

Show the code
#|

level <- 2
fn <- file.path(".", "data", paste0("concepts_l", level, ".rds"))
if (!file.exists(fn)) {
    x <- lapply(
        flat_snow[["concepts"]],
        FUN = function(x) {
            x[["display_name"]][x[["level"]] == level]
        }
    ) |>
        unlist() |>
        table() |>
        as.data.frame() |>
        arrange(desc(Freq))
    names(x) <- c(paste0("l", level, "_concept"), "count")
    saveRDS(x, fn)
}

fn |>
    readRDS() |>
    knitr::kable()
l2_concept count
Politics 411
Financial crisis 199
Corporate governance 129
Financial market 95
Monetary policy 85
Context (archaeology) 68
Power (physics) 56
Financial regulation 51
Capital (architecture) 47
State (computer science) 46
Order (exchange) 43
European union 40
Risk management 40
Credit rating 38
Performativity 37
Climate change 36
Debt 35
Credit risk 34
Government (linguistics) 33
Asset (computer security) 31
Incentive 31
Financialization 29
Argument (complex analysis) 28
Market liquidity 28
Work (physics) 27
Agency (philosophy) 26
Financial stability 26
Performative utterance 26
Value (mathematics) 26
Framing (construction) 22
Independence (probability theory) 22
Process (computing) 22
Scholarship 22
Gene 20
Neoliberalism (international relations) 20
Bond 19
Futures contract 19
Accountability 17
Mandate 17
Portfolio 17
Transparency (behavior) 17
Action (physics) 16
Capital market 16
Field (mathematics) 16
Financial services 16
Narrative 16
Financial risk 15
Inflation (cosmology) 15
Normative 15
Set (abstract data type) 15
Volatility (finance) 15
Currency 14
Globalization 14
Interest rate 14
Pension 14
Variety (cybernetics) 14
Leverage (statistics) 13
Mainstream 13
Valuation (finance) 13
Autonomy 12
China 12
Competition (biology) 12
Credibility 12
Ignorance 12
Macro 12
Rationality 12
Control (management) 11
Human capital 11
Perspective (graphical) 11
Relevance (law) 11
Securitization 11
Speculation 11
Collateral 10
Discretion 10
Inequality 10
Institution 10
Negotiation 10
Recession 10
Reflexivity 10
Reputation 10
Sustainability 10
Arbitrage 9
Bond market 9
Boom 9
Deregulation 9
Economic sociology 9
Equity (law) 9
Ethnography 9
Index (typography) 9
Payment 9
Position (finance) 9
Principal (computer security) 9
Private sector 9
Quality (philosophy) 9
Accounting information system 8
Balance sheet 8
Consolidation (business) 8
Construct (python library) 8
Fiscal policy 8
Profit (economics) 8
Realm 8
Relation (database) 8
Scope (computer science) 8
Shadow (psychology) 8
Stock (firearms) 8
Welfare 8
Cognition 7
CONTEST 7
Contradiction 7
Externality 7
Financial modeling 7
Insurance policy 7
Interpretation (philosophy) 7
Investment banking 7
Legislation 7
Materiality (auditing) 7
Phenomenon 7
Population 7
Production (economics) 7
Public policy 7
Scrutiny 7
Audit 6
Citation 6
Corporation 6
Discipline 6
Earnings 6
Emerging markets 6
Lens (geology) 6
Liberalization 6
Microfoundations 6
Object (grammar) 6
Point (geometry) 6
Real estate 6
Resilience (materials science) 6
Risk society 6
Social studies of finance 6
Status quo 6
Sustainable development 6
Vision 6
Algorithmic trading 5
Ambiguity 5
Blueprint 5
Criticism 5
Delegation 5
Developing country 5
Dilemma 5
Embeddedness 5
Exchange rate 5
Explanatory power 5
Financial innovation 5
Financial institution 5
Financial intermediary 5
Focus (optics) 5
Fossil fuel 5
Greenhouse gas 5
Intervention (counseling) 5
Issuer 5
Market failure 5
Materialism 5
Meaning (existential) 5
Nexus (standard) 5
Orthodoxy 5
Paradigm shift 5
Qualitative research 5
Regulatory reform 5
Social capital 5
Stock exchange 5
Structuring 5
Subject (documents) 5
Transformative learning 5
Typology 5
Vulnerability (computing) 5
Agriculture 4
Alliance 4
Alternative medicine 4
Applied economics 4
Appropriation 4
Architecture 4
Bankruptcy 4
Boundary-work 4
Commission 4
Compromise 4
Constitution 4
Consumption (sociology) 4
Content analysis 4
Convergence (economics) 4
Conversation 4
Copula (linguistics) 4
Database transaction 4
Doctrine 4
Entrepreneurship 4
Financial sector 4
Foreign direct investment 4
Great Depression 4
Ideal (ethics) 4
Identity (music) 4
Institutionalisation 4
International Financial Reporting Standards 4
Key (lock) 4
Loan 4
Local government 4
Masculinity 4
Mathematical finance 4
Measure (data warehouse) 4
Morality 4
National accounts 4
Norm (philosophy) 4
Philosophy of science 4
Post-Keynesian economics 4
Poverty 4
Prosperity 4
Psychological resilience 4
Reinsurance 4
Reproduction 4
Revenue 4
Rhetoric 4
Rhetorical question 4
Space (punctuation) 4
Stability (learning theory) 4
Underpinning 4
Unintended consequences 4
Actuary 3
Advice (programming) 3
Affect (linguistics) 3
Balance (ability) 3
Behavioral economics 3
Big data 3
Blame 3
Business cycle 3
Class (philosophy) 3
Club 3
Cognitive reframing 3
Commodity 3
Compressive strength 3
Consistency (knowledge bases) 3
Contingency 3
Core (optical fiber) 3
Credit crunch 3
Credit history 3
Dimension (graph theory) 3
Divergence (linguistics) 3
Diversification (marketing strategy) 3
Diversity (politics) 3
Dual (grammatical number) 3
Dynamism 3
Economic bubble 3
Electronic trading 3
Energy (signal processing) 3
Enforcement 3
Everyday life 3
Expected utility hypothesis 3
Face (sociological concept) 3
Fair value 3
Financial instrument 3
Flexibility (engineering) 3
Futures studies 3
Generalization 3
German 3
Globe 3
Hedge fund 3
Human settlement 3
Individualism 3
Institutional change 3
Internationalization 3
Legislature 3
Life insurance 3
Managerialism 3
Multinational corporation 3
Multivariate statistics 3
Mythology 3
Neglect 3
Ontology 3
Operationalization 3
Overconfidence effect 3
Perception 3
Period (music) 3
Positivism 3
Prime (order theory) 3
Private equity 3
Proxy (statistics) 3
Public health 3
Rational expectations 3
Reading (process) 3
Realism 3
Renewable energy 3
Resistance (ecology) 3
Resource (disambiguation) 3
Restructuring 3
Retail banking 3
Salience (neuroscience) 3
Sample (material) 3
Scale (ratio) 3
Schools of economic thought 3
Science policy 3
Section (typography) 3
Selection (genetic algorithm) 3
Simple (philosophy) 3
Social constructivism 3
Social policy 3
Spillover effect 3
Stakeholder 3
Statutory law 3
Stylized fact 3
Surprise 3
Systematic risk 3
Term (time) 3
Terrorism 3
Treasury 3
Valuation of options 3
Analogy 2
Analytics 2
Anomie 2
Anthropocene 2
Assertion 2
Bank regulation 2
Bibliography 2
Boundary (topology) 2
Bricolage 2
Capital asset pricing model 2
Cash flow 2
Causal analysis 2
Certainty 2
Chorus 2
Circular economy 2
Civilization 2
Cloud computing 2
Cognitive dissonance 2
Colonialism 2
Commodification 2
Common value auction 2
Comparability 2
Competitor analysis 2
Conceptual framework 2
Conditional probability distribution 2
Constraint (computer-aided design) 2
Contrarian 2
Conviction 2
Corporate social responsibility 2
Craft 2
Crash 2
Creativity 2
De facto 2
Default 2
Delegate 2
Denial 2
Dependency (UML) 2
Dialectic 2
Directive 2
Discourse analysis 2
Disease 2
Dismissal 2
Divestment 2
Duty 2
Dynamics (music) 2
Economic science 2
Economic statistics 2
Empirical evidence 2
Endogeneity 2
Entropy (arrow of time) 2
Event (particle physics) 2
Faith 2
Financial analysis 2
Foregrounding 2
Foundation (evidence) 2
Frontier 2
Function (biology) 2
Fuzzy logic 2
General equilibrium theory 2
Governor 2
Harm 2
Harmonization 2
Hedge 2
Herding 2
HERO 2
Heuristic 2
Hierarchy 2
Horse 2
Human geography 2
Immune system 2
Indeterminacy (philosophy) 2
Inference 2
Insider 2
Institutional economics 2
Insurance industry 2
International finance 2
International law 2
Interview 2
Kingdom 2
Knight 2
Knowledge economy 2
Language change 2
Liberian dollar 2
Logistic regression 2
Mathematical practice 2
Metaphysics 2
Microfinance 2
Mindset 2
Multitude 2
National bank 2
Natural (archaeology) 2
Natural disaster 2
Official statistics 2
Organizational culture 2
Path dependency 2
Petroleum industry 2
Philosophy education 2
Plural 2
Pluralism (philosophy) 2
Popularity 2
Premise 2
Prestige 2
Privilege (computing) 2
Product (mathematics) 2
Profitability index 2
Project finance 2
Project management 2
Property (philosophy) 2
Property rights 2
Prudence 2
Psychological intervention 2
Public sector 2
Publication 2
Random variable 2
Recapitalization 2
Redevelopment 2
Reductionism 2
Rigour 2
Risk assessment 2
Salient 2
Science studies 2
Security studies 2
Shock (circulatory) 2
Skepticism 2
Social protection 2
Social responsibility 2
Social theory 2
Sociality 2
Sociological research 2
Sociological theory 2
Sociology of knowledge 2
Sociotechnical system 2
Statute 2
Stress test 2
Stress testing (software) 2
Style (visual arts) 2
Swap (finance) 2
Tax reform 2
The Internet 2
Theme (computing) 2
Tracing 2
Transaction cost 2
Transmission (telecommunications) 2
Underwriting 2
Unification 2
Urban planning 2
Warning system 2
Witness 2
Yield (engineering) 2
Abstraction 1
Active learning (machine learning) 1
Actor–network theory 1
Adaptation (eye) 1
Adjudication 1
Administration (probate law) 1
Adversary 1
Affordable housing 1
Aggregate (composite) 1
Alienation 1
Allocative efficiency 1
Allowance (engineering) 1
Ambivalence 1
Amplitude 1
Analytic hierarchy process 1
Animal welfare 1
Anticipation (artificial intelligence) 1
Antithesis 1
Appeal 1
Artificial neural network 1
Ask price 1
Asphalt 1
Assemblage (archaeology) 1
Asset management 1
Athletes 1
Audience measurement 1
Autism 1
Axiom 1
Balance of payments 1
Bank failure 1
Banking industry 1
Barbarian 1
BATES 1
Battle 1
Benchmark (surveying) 1
Benchmarking 1
Best practice 1
Biodiversity 1
Biography 1
Biometrics 1
Bivariate analysis 1
Black box 1
Black swan theory 1
Blockchain 1
Border Security 1
Bridge (graph theory) 1
Bridging (networking) 1
Bubble 1
Business ethics 1
Cabinet (room) 1
Calculus (dental) 1
Capital asset 1
Carnivalesque 1
Cash 1
Casual 1
Causal model 1
Causation 1
Centrality 1
Ceremony 1
Ceteris paribus 1
Channel (broadcasting) 1
Character (mathematics) 1
Charge (physics) 1
Chronology 1
Clearing 1
Cluster (spacecraft) 1
Cluster analysis 1
Coal 1
Cohesion (chemistry) 1
Collateral damage 1
Commercial bank 1
Commercialization 1
Commons 1
Competitive advantage 1
Complex adaptive system 1
Complex system 1
Compliance (psychology) 1
Component (thermodynamics) 1
Computational fluid dynamics 1
Conceptualization 1
Conditional dependence 1
Configuration entropy 1
Conflation 1
Congruence (geometry) 1
Consciousness 1
Consumer protection 1
Consumer Protection Act 1
Convention 1
Coordination game 1
Cornerstone 1
Corporate finance 1
Cover (algebra) 1
Criminal justice 1
Crisis management 1
Critical thinking 1
Cryptocurrency 1
Crystal structure 1
CUDA 1
Culpability 1
Cultural bias 1
Cultural criminology 1
Cultural institution 1
Current (fluid) 1
Curse 1
Damages 1
Dance 1
Dashboard 1
Data collection 1
Demise 1
Depression (economics) 1
Derivative (finance) 1
Destiny (ISS module) 1
Development (topology) 1
Deviance (statistics) 1
Dichotomy 1
Digitization 1
Disaster risk reduction 1
Disengagement theory 1
Dispose pattern 1
Disruptive technology 1
Distribution (mathematics) 1
Documentation 1
Domain (mathematical analysis) 1
Doors 1
Downgrade 1
Dozen 1
Drama 1
Dualism 1
Duality (order theory) 1
Earth system science 1
Ecological efficiency 1
Econometric model 1
Economic indicator 1
Economic Justice 1
Economic model 1
Economic transformation 1
Ecosystem 1
Electricity 1
Element (criminal law) 1
Embedding 1
Embodied cognition 1
Empirical research 1
Empiricism 1
Empowerment 1
Emulation 1
Enterprise information system 1
Enterprise software 1
Enterprise system 1
Enterprise value 1
Environmental accounting 1
Epilepsy 1
Estimator 1
Ethnic group 1
Ethos 1
Ex-ante 1
Existentialism 1
Experimental economics 1
Experimentalism 1
Exploit 1
Expropriation 1
Extant taxon 1
Extension (predicate logic) 1
Extreme value theory 1
Factory (object-oriented programming) 1
Fatalism 1
Feminism 1
Financial engineering 1
Financial management 1
Financial ratio 1
Financial security 1
Flood myth 1
Flooding (psychology) 1
Focus group 1
Fordism 1
Fragility 1
Frame (networking) 1
Franchise 1
Freedom of information 1
Game theory 1
Gatekeeping 1
Gaussian 1
Generative grammar 1
Genocide 1
Gentrification 1
George (robot) 1
Goodwill 1
Grammar 1
Great recession 1
Haven 1
Health care 1
Health communication 1
Heuristics 1
Holy Grail 1
Home automation 1
Homo economicus 1
Human rights 1
Humanism 1
Humanity 1
Hybridity 1
Hypocrisy 1
Ideal type 1
Idealism 1
Idealization 1
Identification (biology) 1
Image (mathematics) 1
Immigration 1
Imperfect 1
Impossibility 1
Impulse response 1
Inclusion (mineral) 1
Indigenous 1
Industrialisation 1
Information exchange 1
Injustice 1
Inscribed figure 1
Instability 1
Institutional analysis 1
Institutional theory 1
Instrumentalism 1
Interdependence 1
Intermediary 1
International banking 1
Interpretability 1
Intersection (aeronautics) 1
Irony 1
Irrational number 1
Islam 1
Joint probability distribution 1
Knot (papermaking) 1
Land value 1
Language model 1
Law enforcement 1
Legalization 1
Lexicon 1
Liability 1
Liminality 1
Limiting 1
Line (geometry) 1
Logos Bible Software 1
Loss aversion 1
Macroeconomic model 1
Mammal 1
Market data 1
Marketing buzz 1
Measures of national income and output 1
Mediation 1
Memorandum 1
Metaphor 1
Methodological individualism 1
Miami 1
Mobilities 1
Mobilization 1
Modernity 1
Moneyness 1
Movie theater 1
Musical 1
Myocardial infarction 1
Natural hazard 1
Negation 1
Neutrality 1
nobody 1
Nonparametric statistics 1
Norwegian 1
Nothing 1
Novelty 1
Objectivity (philosophy) 1
Observational study 1
Obstacle 1
Openness to experience 1
Optimal distinctiveness theory 1
Organizational structure 1
Outbreak 1
Panel data 1
Parallels 1
Parsing 1
Pascal (unit) 1
Path (computing) 1
Peasant 1
Peck (Imperial) 1
Performance art 1
Persistence (discontinuity) 1
Personality 1
Philosophy and economics 1
Philosophy of mathematics 1
Pillar 1
Plague (disease) 1
Planned economy 1
Planner 1
Pledge 1
Policy analysis 1
Policy learning 1
Policy making 1
Policy Sciences 1
Pollution 1
Port (circuit theory) 1
Portuguese 1
Power point 1
Pragmatism 1
Praxis 1
Precarity 1
Precautionary principle 1
Precommitment 1
Predictive power 1
Preference 1
Presentation (obstetrics) 1
Presupposition 1
Primary (astronomy) 1
Principle of legality 1
Principle of maximum entropy 1
Probability density function 1
Probability distribution 1
Probit 1
Probit model 1
Projection (relational algebra) 1
Protectionism 1
Public finance 1
Public infrastructure 1
Public interest 1
Public land 1
Public sociology 1
Publishing 1
Qualitative comparative analysis 1
Qualitative property 1
Quantile 1
Quantile regression 1
Race (biology) 1
Randomized controlled trial 1
Randomized experiment 1
Range (aeronautics) 1
Ranking (information retrieval) 1
Ransom 1
Rate of return 1
Real economy 1
Reciprocal 1
Recklessness 1
Reflection (computer programming) 1
Regulatory authority 1
Reinterpretation 1
Remuneration 1
Residential property 1
Residual 1
Resolution (logic) 1
Retrenchment 1
Revolving door 1
Risk premium 1
Rubric 1
Rural area 1
Safe haven 1
Safety net 1
Sanctions 1
Scarcity 1
Schedule 1
Scheduling (production processes) 1
Scheme (mathematics) 1
Scientific evidence 1
Scientific modelling 1
Scientometrics 1
Scripting language 1
Secondary sector of the economy 1
Secrecy 1
Semantics (computer science) 1
Sense (electronics) 1
Sensemaking 1
Sensitivity (control systems) 1
Simplicity 1
Situated 1
Slippery slope 1
Small and medium-sized enterprises 1
Snowball sampling 1
Social dialogue 1
Social epistemology 1
Social exclusion 1
Social insurance 1
Social learning 1
Social planner 1
Social security 1
Social stratification 1
Social system 1
Social Welfare 1
Sociological imagination 1
Sociology of law 1
Sociology of scientific knowledge 1
Somali 1
sort 1
SPARK (programming language) 1
Special section 1
Specific risk 1
Stakeholder engagement 1
Statistical inference 1
Statistical learning 1
Stimulus (psychology) 1
Straddle 1
Strategic management 1
Strategic planning 1
Strategy implementation 1
Strengths and weaknesses 1
Stress (linguistics) 1
Structural adjustment 1
Structure and agency 1
Subsidy 1
Successor cardinal 1
Summary statistics 1
Supply chain 1
Support vector machine 1
Supreme court 1
Swift 1
Tacit knowledge 1
Task (project management) 1
Tax revenue 1
Technological change 1
Territoriality 1
Test (biology) 1
The Imaginary 1
The Symbolic 1
Thriving 1
Time preference 1
Time series 1
Time value of money 1
Topic model 1
Tower 1
Trading strategy 1
Tranche 1
Treaty 1
Tying 1
Uncertainty 1
Undoing 1
Unemployment 1
Unit (ring theory) 1
Unpacking 1
Urban regeneration 1
Urbanization 1
Value creation 1
Value for money 1
Variable (mathematics) 1
Variance (accounting) 1
Veblen good 1
Vector autoregression 1
Venture capital 1
Viewpoints 1
Vignette 1
Virtue 1
Vocabulary 1
Vocational education 1
Voltage 1
Wage 1
Warrant 1
Watson 1
Weighting 1
Wireless 1
Wishful thinking 1
World War II 1
Yardstick 1
Zero (linguistics) 1

Level 3

Show the code
#|

level <- 3
fn <- file.path(".", "data", paste0("concepts_l", level, ".rds"))
if (!file.exists(fn)) {
    x <- lapply(
        flat_snow[["concepts"]],
        FUN = function(x) {
            x[["display_name"]][x[["level"]] == level]
        }
    ) |>
        unlist() |>
        table() |>
        as.data.frame() |>
        arrange(desc(Freq))
    names(x) <- c(paste0("l", level, "_concept"), "count")
    saveRDS(x, fn)
}

fn |>
    readRDS() |>
    knitr::kable()
l3_concept count
Systemic risk 51
Capitalism 46
Central bank 46
Investment (military) 38
Legitimacy 37
Technocracy 26
Democracy 25
Credit reference 19
Ideology 19
Sovereignty 19
Bureaucracy 16
Capital requirement 16
Global governance 16
Elite 14
International relations 12
Austerity 11
Financial capital 11
Hegemony 10
Institutional investor 10
European integration 9
Governmentality 9
Value at risk 9
Dominance (genetics) 8
Global financial system 8
Shareholder 8
Banking union 7
Capital adequacy ratio 7
Liberalism 7
Stock market 7
Climate Finance 6
Credit card 6
Credit derivative 6
Expected shortfall 6
Financial accounting 6
Legitimation 6
Open market operation 6
Political economy of climate change 6
Political risk 6
Representation (politics) 6
Subprime crisis 6
Through-the-lens metering 6
Chinese financial system 5
Debt crisis 5
Deliberation 5
Dissent 5
Inflation targeting 5
Liquidity risk 5
Monetary system 5
Money market 5
Shadow banking system 5
Solvency 5
Subprime mortgage crisis 5
Biopower 4
Civil society 4
Climate risk 4
Conditionality 4
Credit default swap 4
Derivatives market 4
Economic governance 4
Financial inclusion 4
Financial risk management 4
Global warming 4
High-frequency trading 4
Institutionalism 4
Investment management 4
Mainstream economics 4
Panacea (medicine) 4
Structured finance 4
Autoregressive conditional heteroskedasticity 3
Bailout 3
Bust 3
Casualty insurance 3
Climate change mitigation 3
Comparative politics 3
Constructive 3
Corporate bond 3
Creditor 3
Epistemic community 3
Exceptionalism 3
Expansive 3
Financial fragility 3
Frame analysis 3
General insurance 3
Government bond 3
International political economy 3
Monetary base 3
Operational risk 3
Principal–agent problem 3
Promotion (chess) 3
Prudential regulation 3
Risk aversion (psychology) 3
Risk governance 3
Robustness (evolution) 3
Social reproduction 3
Tail dependence 3
Transformation (genetics) 3
Transition (genetics) 3
Veto 3
Welfare state 3
Accounting management 2
Alternative trading system 2
Articulation (sociology) 2
Black–Scholes model 2
Boundary object 2
Brexit 2
Central government 2
Climate governance 2
Collateralized debt obligation 2
Communism 2
Corporate law 2
Deflation 2
Digital currency 2
Economic and monetary union 2
Economic capital 2
Economic methodology 2
Economic power 2
Enterprise risk management 2
European commission 2
Fiduciary 2
Fiscal union 2
Geopolitics 2
Herd behavior 2
Indirect tax 2
Infectious disease (medical specialty) 2
Investment fund 2
Investment policy 2
Irrationality 2
Liquidity crisis 2
Manager of managers fund 2
Marginal distribution 2
Medical sociology 2
Monetarism 2
Monetary hegemony 2
Moral economy 2
Multilateralism 2
National Pension 2
Nationalism 2
New institutionalism 2
Odds 2
Parliament 2
Pension fund 2
Phenotype 2
Philosophy of language 2
Policy studies 2
Political capital 2
Presidential system 2
Price of stability 2
Profit maximization 2
Project portfolio management 2
Return on investment 2
Soft law 2
Trilemma 2
Washington Consensus 2
Zero lower bound 2
2019-20 coronavirus outbreak 1
Agrarian society 1
Allegiance 1
American exceptionalism 1
Antipathy 1
Arbitrage pricing theory 1
Asset allocation 1
Beijing 1
Biological dispersal 1
Boldness 1
Bond valuation 1
Book value 1
BRIC 1
Capital accumulation 1
Capital flows 1
Capital structure 1
Carbon accounting 1
Carbon market 1
Care work 1
Citizenship 1
Civil discourse 1
Climate justice 1
Climate policy 1
Climate resilience 1
Closed-end fund 1
Coal mining 1
Cognitive bias 1
Cold war 1
Collective action 1
Computational learning theory 1
Conceptual history 1
Confessional 1
Contemporary art 1
Convertible bond 1
Convulsion 1
Cronbach’s alpha 1
Culprit 1
Cultural geography 1
Cumulative distribution function 1
Default risk 1
Deleveraging 1
Devaluation 1
Developmental state 1
Direct tax 1
Discounted cash flow 1
East Asia 1
Eco-efficiency 1
Ecological economics 1
Economic globalization 1
Economic inequality 1
Economic interventionism 1
Elitism 1
Endogenous money 1
Enterprise architecture 1
Enterprise integration 1
Environmental audit 1
Eurobarometer 1
Eurodollar 1
European Monetary System 1
Evasion (ethics) 1
Exchange value 1
Exchange-rate regime 1
Executive branch 1
Extreme weather 1
Fecundity 1
Federal funds 1
Fertility 1
Fiat money 1
Financial integration 1
Financial sector development 1
FinTech 1
First generation 1
Fiscal space 1
Fixed asset 1
Fluent 1
Foreign-exchange reserves 1
Formalism (music) 1
Framing effect 1
Free market 1
Fund of funds 1
Geography of finance 1
Government debt 1
Grassroots 1
Great power 1
Green criminology 1
Green growth 1
Grounded theory 1
Hegemonic masculinity 1
Historical institutionalism 1
Homeland security 1
Horse racing 1
Household debt 1
Human life 1
Identity crisis 1
Immorality 1
Immunity 1
Income distribution 1
Indirect finance 1
Internal financing 1
Internal rate of return 1
Interregnum 1
Interwar period 1
Investment decisions 1
Investment strategy 1
Investment theory 1
Islamic finance 1
Isomorphism (crystallography) 1
IT risk management 1
Key person insurance 1
Knightian uncertainty 1
Late 19th century 1
Libor 1
LIBOR market model 1
Limits to arbitrage 1
Linkage (software) 1
Liquidity preference 1
Local currency 1
Mainland China 1
Management control system 1
Marketization 1
Marxist philosophy 1
Media policy 1
Member states 1
Militarism 1
Militarization 1
Modern portfolio theory 1
Monetary theory 1
Moral hazard 1
Multi-level governance 1
National Income and Product Accounts 1
Negative feedback 1
Network governance 1
New england 1
New Keynesian economics 1
New public management 1
Oil sands 1
Ontological security 1
Opposition (politics) 1
Oppression 1
Originality 1
Outrage 1
Peak oil 1
Pension plan 1
Perplexity 1
Phillips curve 1
Physical capital 1
Political dissent 1
Political ecology 1
Political history 1
Political philosophy 1
Polity 1
Population ageing 1
Populism 1
Portfolio allocation 1
Portfolio optimization 1
Potential output 1
Poverty reduction 1
Power structure 1
Pre-money valuation 1
Price discovery 1
Private equity fund 1
Private finance initiative 1
Probability of default 1
Process tracing 1
Project commissioning 1
Property management 1
Property market 1
Public opinion 1
Public sphere 1
Quality of Life Research 1
Real estate development 1
Real estate investment trust 1
Real interest rate 1
Regulatory state 1
Reification (Marxism) 1
Repurchase agreement 1
Reputation management 1
Residual entropy 1
Resource curse 1
Return on equity 1
Risk appetite 1
Risk measure 1
Scapegoating 1
Securities fraud 1
Semi-structured interview 1
Share price 1
Similarity (geometry) 1
Social accounting 1
Social contract 1
Social inequality 1
Social network analysis 1
Social order 1
Social sustainability 1
Socially responsible investing 1
Solidarity 1
Sovereign wealth fund 1
Stagflation 1
Stakeholder analysis 1
Stalemate 1
Stewardship (theology) 1
Strategic financial management 1
Subaltern 1
Subversion 1
Sustainability reporting 1
Synchronization (alternating current) 1
Tax policy 1
Thematic analysis 1
Think tanks 1
Throughput 1
Torture 1
Transfer entropy 1
Transmission channel 1
Transnational governance 1
Unconventional oil 1
Unemployment rate 1
Universalism 1
Value capture 1
Victory 1
Virtue ethics 1
War on terror 1
White (mutation) 1
Yield curve 1

Level 4

Show the code
#|

level <- 4
fn <- file.path(".", "data", paste0("concepts_l", level, ".rds"))
if (!file.exists(fn)) {
    x <- lapply(
        flat_snow[["concepts"]],
        FUN = function(x) {
            x[["display_name"]][x[["level"]] == level]
        }
    ) |>
        unlist() |>
        table() |>
        as.data.frame() |>
        arrange(desc(Freq))
    names(x) <- c(paste0("l", level, "_concept"), "count")
    saveRDS(x, fn)
}

fn |>
    readRDS() |>
    knitr::kable()
l4_concept count
Bond credit rating 18
Basel III 13
Quantitative easing 13
Macroprudential regulation 12
Credit enhancement 9
European debt crisis 9
Sovereign credit 8
Basel II 7
Accounting standard 5
Capital formation 5
Money creation 5
Sovereign debt 5
Constructivism (international relations) 4
International relations theory 4
Lender of last resort 4
Mark-to-market accounting 4
Shareholder value 4
Bank rate 3
Credit channel 3
Democratization 3
Energy transition 3
Global assets under management 3
Monetary reform 3
Mortgage insurance 3
Positive accounting 3
Authoritarianism 2
Complementation 2
Conditional variance 2
Coronavirus disease 2019 (COVID-19) 2
Insurance law 2
Open-ended investment company 2
Stock market crash 2
Agency cost 1
Alpha (finance) 1
Application portfolio management 1
Assets under management 1
Autocracy 1
Classical liberalism 1
Credit valuation adjustment 1
Critical discourse analysis 1
Critical geography 1
Dynamic risk measure 1
Economic liberalism 1
Financial market participants 1
Funding liquidity 1
Gambit 1
Heterodox economics 1
Historical materialism 1
Human development theory 1
Income protection insurance 1
Individual capital 1
Interventionism (politics) 1
IT risk 1
Maastricht Treaty 1
Member state 1
NAIRU 1
Natural rate of unemployment 1
Nominal interest rate 1
Open outcry 1
Open-end fund 1
Political union 1
Quantitative history 1
Regime change 1
Regulatory competition 1
Risk pool 1
Shareholder primacy 1
Single Euro Payments Area 1
Socialism 1
Sociology of disaster 1
Sovereign state 1
Stock market index 1
Strategic alignment 1
Tax competition 1
Tax treaty 1
Volatility clustering 1

Level 5

Show the code
#|

level <- 5
fn <- file.path(".", "data", paste0("concepts_l", level, ".rds"))
if (!file.exists(fn)) {
    x <- lapply(
        flat_snow[["concepts"]],
        FUN = function(x) {
            x[["display_name"]][x[["level"]] == level]
        }
    ) |>
        unlist() |>
        table() |>
        as.data.frame() |>
        arrange(desc(Freq))
    names(x) <- c(paste0("l", level, "_concept"), "count")
    saveRDS(x, fn)
}

fn |>
    readRDS() |>
    knitr::kable()
l5_concept count
Basel I 5
Mortgage underwriting 3
Risk-adjusted return on capital 3
Risk-weighted asset 3
Complement (music) 2
Forward guidance 2
Pandemic 2
Shared appreciation mortgage 2
Sovereign default 2
Umbrella fund 2
Business interruption insurance 1
Collateralized mortgage obligation 1
Credit default swap index 1
Environmental full-cost accounting 1
Index fund 1
Insurability 1
iTraxx 1
Severe acute respiratory syndrome coronavirus 2 (SARS-CoV-2) 1
Substance over form 1
Trading turret 1

Bibliographic

Reuse

Citation

BibTeX citation:
@report{krug,
  author = {Krug, Rainer M.},
  title = {Snowball Sampling {BBA} {Chapter} 6},
  date = {},
  doi = {99.99.99999999},
  langid = {en},
  abstract = {A snowball literature using
    {[}OpenAlex{]}(https://openalex.org/) will be conducted and all
    steps documented. The literature search is for the finance section
    of Chapter 6 of the IPBES Business and Biodiversity assessment.}
}
For attribution, please cite this work as:
Krug, Rainer M. n.d. “Snowball Sampling BBA Chapter 6.” IPBES Data Management Report. https://doi.org/99.99.99999999.