precedent 0.0.2

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
@@ -0,0 +1,134 @@
1
+ # encoding: UTF-8
2
+
3
+ module Precedent
4
+ grammar Inline
5
+ rule inline
6
+ first:inline_element
7
+ subsequent:(single_newline? inline_element)*
8
+ {
9
+ def build
10
+ elems = subsequent.elements.map(&:build).flatten
11
+ # Members of `subsequent` come in [nil, Node] lists when there
12
+ # is no preceding line break. The car values can't be ignored,
13
+ # as we need to convert newlines to spaces when they occur.
14
+ ret = elems.reduce([first.build]) do |mem, e|
15
+ last = mem.last
16
+ # Start the output list with the first element
17
+ if e.nil?
18
+ mem
19
+ # Concatenate contiguous strings
20
+ elsif last.is_a?(String) && e.is_a?(String)
21
+ mem + [mem.pop + e]
22
+ else # Hash
23
+ mem + [e]
24
+ end
25
+ end
26
+ # If there is just one content element, give the element
27
+ # rather than a one-element list.
28
+ ret.count == 1 ? ret.first : ret
29
+ end
30
+ }
31
+ end
32
+
33
+ rule inline_element
34
+ citation /
35
+ emphasis /
36
+ smallcaps /
37
+ reference /
38
+ page_break /
39
+ space /
40
+ word
41
+ end
42
+
43
+ rule smallcaps
44
+ '<<' content:inline '>>'
45
+ {
46
+ def build
47
+ { :type => :smallcaps,
48
+ :content => content.build }
49
+ end
50
+ }
51
+ end
52
+
53
+ rule emphasis
54
+ '\\\\' content:inline '\\\\'
55
+ {
56
+ def build
57
+ { :type => :emphasis,
58
+ :content => content.build }
59
+ end
60
+ }
61
+ end
62
+
63
+ rule citation
64
+ '{{' content:inline '}}'
65
+ {
66
+ def build
67
+ { :type => :citation,
68
+ :content => content.build }
69
+ end
70
+ }
71
+ end
72
+
73
+ rule page_break
74
+ '@@' page:[0-9]+ '@@'
75
+ {
76
+ def build
77
+ { :type => :break,
78
+ :page => page.text_value.to_i }
79
+ end
80
+ }
81
+ end
82
+
83
+ rule reference
84
+ '[[' marker:[0-9*†‡]+ ']]'
85
+ {
86
+ def build
87
+ { :type => :reference,
88
+ :marker => marker.text_value }
89
+ end
90
+ }
91
+ end
92
+
93
+ rule single_newline
94
+ "\n"
95
+ {
96
+ def build
97
+ ' '
98
+ end
99
+ }
100
+ end
101
+
102
+ rule word
103
+ (
104
+ # not a starting or ending token
105
+ !(
106
+ '{{' / '}}' / # citations
107
+ '<<' / '>>' / # smallcaps
108
+ '[[' / ']]' / # references
109
+ '\\\\' / # italics
110
+ '@@' # page breaks
111
+ )
112
+ char
113
+ )+
114
+ {
115
+ def build
116
+ text_value
117
+ end
118
+ }
119
+ end
120
+
121
+ rule space
122
+ ' '
123
+ {
124
+ def build
125
+ ' '
126
+ end
127
+ }
128
+ end
129
+
130
+ rule char
131
+ [\S]
132
+ end
133
+ end
134
+ end
@@ -0,0 +1,12 @@
1
+ module Treetop
2
+ module Runtime
3
+ class SyntaxNode
4
+ # Convenience pass-through method for building ASTs. Intersitial
5
+ # Treetop nodes can just label subrules their "content" and pass
6
+ # through during AST construction.
7
+ def build
8
+ elements.map(&:build) if elements
9
+ end
10
+ end
11
+ end
12
+ end
@@ -0,0 +1,123 @@
1
+ # encoding: UTF-8
2
+
3
+ require_relative 'grammar/node_patch'
4
+ require_relative 'grammar/inline'
5
+
6
+ module Precedent
7
+ class Parser
8
+ # cached instance of the parser for inline elements
9
+ @@inline_parser = InlineParser.new
10
+
11
+ def parse(input)
12
+ post_process(parse_blocks(input))
13
+ end
14
+
15
+ def post_process(raw_hash)
16
+ raw_blocks = raw_hash.delete(:blocks)
17
+ document_blocks = raw_blocks.reduce(
18
+ body: [], footnotes: []
19
+ ) do |mem, block|
20
+ content = block[:content]
21
+ if content
22
+ ast = @@inline_parser.parse(content.join(' ').gsub(/ +/, ' '))
23
+ block.merge!(content: ast.build)
24
+ end
25
+
26
+ type = block[:type]
27
+ if type == :footnote
28
+ mem[:footnotes] << block
29
+ else
30
+ mem[:body] << block
31
+ end
32
+ mem
33
+ end
34
+ raw_hash.merge(document_blocks)
35
+ end
36
+
37
+ def build_block(type, first_content=nil)
38
+ if first_content
39
+ { :type => type, :content => [first_content] }
40
+ else
41
+ { :type => type }
42
+ end
43
+ end
44
+
45
+ BLANK_LINE = /^\s*$/
46
+ COMMENT_LINE = /^%/
47
+ FLUSH_LINE = /^([^ ].+)$/
48
+ FLUSH_QUOTE = /^ (.+)$/
49
+ FOOTNOTE_CONTINUE = /^\^\s+(.+)$/
50
+ FOOTNOTE_START = /^\^([^ ]+)\s+(.+)$/
51
+ HEADING = /^(#+)\s+(.+)$/
52
+ INDENTED = /^ (.+)$/
53
+ INDENTED_QUOTE = /^ (.+)$/
54
+ METADATA = /^([A-Z][[:ascii:]]*): (.+)$/
55
+ RAGGED_LEFT = /^ (.+)$/
56
+ RULE_BODY = /^\* \* \*\s*$/
57
+ RULE_QUOTE = /^ \* \* \*\s*$/
58
+
59
+ def parse_blocks(input)
60
+ block_ended = false
61
+ meta_ended = false
62
+
63
+ blocks = []
64
+ meta = {}
65
+ out = {:meta => meta, :blocks => blocks}
66
+
67
+ input.lines.each do |line|
68
+ line.chomp!
69
+ if BLANK_LINE =~ line
70
+ block_ended = true
71
+ meta_ended = true
72
+ elsif COMMENT_LINE =~ line # skip
73
+ elsif METADATA =~ line && !meta_ended
74
+ meta[$1.downcase.to_sym] = meta_value($2)
75
+ elsif block_ended || blocks.empty?
76
+ # Start a new block-level element
77
+ start_block(blocks, line)
78
+ block_ended = false
79
+ else
80
+ blocks.last[:content] << line
81
+ end
82
+ end
83
+
84
+ out
85
+ end
86
+
87
+ def start_block(blocks, line)
88
+ case line
89
+ when RULE_QUOTE
90
+ blocks << build_block(:rule_quote)
91
+ when RULE_BODY
92
+ blocks << build_block(:rule)
93
+ when HEADING
94
+ blocks << build_block(:heading, $2).merge(level: $1.length)
95
+ when FOOTNOTE_START
96
+ blocks << build_block(:footnote, $2).merge(marker: $1)
97
+ when FOOTNOTE_CONTINUE
98
+ blocks << build_block(:footnote, $1)
99
+ when RAGGED_LEFT
100
+ blocks << build_block(:ragged_left, $1)
101
+ when INDENTED_QUOTE
102
+ blocks << build_block(:indented_quote, $1)
103
+ when FLUSH_QUOTE
104
+ blocks << build_block(:flush_quote, $1)
105
+ when INDENTED
106
+ blocks << build_block(:indented, $1)
107
+ else # Flush
108
+ blocks << build_block(:flush, line)
109
+ end
110
+ end
111
+
112
+ def meta_value(value)
113
+ v = value.strip
114
+ case v
115
+ when /^\d+$/ then v.to_i
116
+ when /^\d\d\d\d-\d\d-\d\d$/ then Date.parse(v)
117
+ when /^true|yes$/i then true
118
+ when /^false|no$/i then false
119
+ else v
120
+ end
121
+ end
122
+ end
123
+ end
@@ -0,0 +1,22 @@
1
+ require_relative 'parser'
2
+
3
+ module Precedent
4
+ class Translator
5
+ @@parser = Parser.new
6
+
7
+ def initialize(input)
8
+ @input = input
9
+ end
10
+
11
+ def to_hashes
12
+ raw_parser_output
13
+ end
14
+
15
+ private
16
+
17
+ def raw_parser_output
18
+ return @raw if @raw
19
+ @raw = @@parser.parse(@input)
20
+ end
21
+ end
22
+ end
@@ -0,0 +1,23 @@
1
+ # nathansobo/treetop/commit/6551d549ef9215be72b04e8c1be8e66c7d19ae68
2
+
3
+ module Treetop
4
+ module Compiler
5
+ class GrammarCompiler
6
+ def compile(source_path, target_path = source_path.gsub(/\.(treetop|tt)\Z/, '.rb'))
7
+ File.open(target_path, 'w') do |target_file|
8
+ generated_source = ruby_source(source_path)
9
+ first_line_break = generated_source.index("\n")
10
+ first_line = generated_source.slice(0..first_line_break)
11
+ if /(coding|encoding): (\S+)/.match(first_line)
12
+ target_file.write(first_line)
13
+ target_file.write(AUTOGENERATED+"\n\n")
14
+ target_file.write(generated_source.slice((first_line_break + 1)..-1))
15
+ else
16
+ target_file.write(AUTOGENERATED+"\n\n")
17
+ target_file.write(generated_source)
18
+ end
19
+ end
20
+ end
21
+ end
22
+ end
23
+ end
@@ -0,0 +1,3 @@
1
+ module Precedent
2
+ VERSION = "0.0.2"
3
+ end
data/precedent.gemspec ADDED
@@ -0,0 +1,40 @@
1
+ # -*- encoding: utf-8 -*-
2
+ lib = File.expand_path('../lib', __FILE__)
3
+ $LOAD_PATH.unshift(lib) unless $LOAD_PATH.include?(lib)
4
+ require 'precedent/version'
5
+
6
+ Gem::Specification.new do |gem|
7
+ gem.name = 'precedent'
8
+ gem.version = Precedent::VERSION
9
+ gem.authors = ['Kyle Mitchell']
10
+ gem.email = ['kyle@blackacrelabs.org']
11
+ gem.description = <<-eof
12
+ Precedent is a lightweight markup language for legal documents
13
+ heavily inspired by Markdown, LaTeX, and the print style of the
14
+ United States Reports, the official reports of decisions of the
15
+ United States Supreme Court.
16
+ eof
17
+ gem.summary = %q{Markdown-esque markup for legal documents}
18
+ gem.homepage = 'https://github.com/BlackacreLabs/precedent'
19
+ gem.license = 'MIT'
20
+
21
+ gem.files = `git ls-files`.split($/)
22
+ gem.executables = gem.files.grep(%r{^bin/}).map{ |f| File.basename(f) }
23
+ gem.test_files = gem.files.grep(%r{spec/})
24
+ gem.require_paths = ['lib']
25
+
26
+ gem.required_ruby_version = '~>1.9.3'
27
+
28
+ gem.add_dependency 'activesupport', '~>3.2'
29
+ gem.add_dependency 'nokogiri', '~>1.5'
30
+ gem.add_dependency 'thor', '~>0.16'
31
+ gem.add_dependency 'treetop', '~>1.4'
32
+
33
+ gem.add_development_dependency 'faker'
34
+ gem.add_development_dependency 'guard-bundler'
35
+ gem.add_development_dependency 'guard-rspec'
36
+ gem.add_development_dependency 'guard-treetop'
37
+ gem.add_development_dependency 'rspec', '~>2.12'
38
+ gem.add_development_dependency 'ruby-prof'
39
+ gem.add_development_dependency 'simplecov'
40
+ end
@@ -0,0 +1,1289 @@
1
+ Author: Roberts
2
+ Page: 497
3
+ Type: Court
4
+
5
+ <<Chief Justice Roberts>> delivered the opinion of the Court.
6
+
7
+ The International Court of Justice (ICJ), located in the Hague,
8
+ is a tribunal established pursuant to the United Nations Charter to
9
+ adjudicate disputes between member states. In the {{\\Case Concerning
10
+ Avena and Other Mexican Nationals\\ (\\Mex.\\ v. \\U. S.\\), 2004 I.
11
+ C. J. 12 (Judgment of Mar. 31) (\\Avena\\)}}, that tribunal considered
12
+ a claim brought by Mexico against the United States. The ICJ held
13
+ that, based on violations of the Vienna Convention, 51 named Mexican
14
+ nation@@498@@ als were entitled to review and reconsideration of their
15
+ state-court convictions and sentences in the United States. This was so
16
+ regardless of any forfeiture of the right to raise Vienna Convention
17
+ claims because of a failure to comply with generally applicable state
18
+ rules governing challenges to criminal convictions.
19
+
20
+ In {{\\Sanchez-Llamas\\ v. \\Oregon,\\ 548 U. S. 331
21
+ (2006)}}—issued after \\Avena\\ but involving individuals who were not
22
+ named in the \\Avena\\ judgment—we held that, contrary to the ICJ’s
23
+ determination, the Vienna Convention did not preclude the application
24
+ of state default rules. After the \\Avena\\ decision, President George
25
+ W. Bush determined, through a Memorandum for the Attorney General (Feb.
26
+ 28, 2005), App. to Pet. for Cert. 187a (Memorandum or President’s
27
+ Memorandum), that the United States would “discharge its international
28
+ obligations” under \\Avena\\ “by having State courts give effect to
29
+ the decision.”
30
+
31
+ Petitioner José Ernesto Medellín, who had been convicted and
32
+ sentenced in Texas state court for murder, is one of the 51 Mexican
33
+ nationals named in the \\Avena\\ decision. Relying on the ICJ’s
34
+ decision and the President’s Memorandum, Medellín filed an
35
+ application for a writ of habeas corpus in state court. The Texas Court
36
+ of Criminal Appeals dismissed Medellín’s application as an abuse
37
+ of the writ under state law, given Medellín’s failure to raise his
38
+ Vienna Convention claim in a timely manner under state law. We granted
39
+ certiorari to decide two questions. \\First,\\ is the ICJ’s judgment
40
+ in \\Avena\\ directly enforceable as domestic law in a state court
41
+ in the United States? \\Second,\\ does the President’s Memorandum
42
+ independently require the States to provide review and reconsideration
43
+ of the claims of the 51 Mexican nationals named in \\Avena\\ without
44
+ regard to state procedural default rules? We conclude that neither
45
+ \\Avena\\ nor the President’s Memorandum constitutes directly
46
+ enforceable federal law that pre-empts state limitations on the @@499@@
47
+ filing of successive habeas petitions. We therefore affirm the decision
48
+ below.
49
+
50
+ # I
51
+
52
+ ## A
53
+
54
+ In 1969, the United States, upon the advice and consent of the
55
+ Senate, ratified the {{Vienna Convention on Consular Relations (Vienna
56
+ Convention or Convention), Apr. 24, 1963, [1970] 21 U. S. T. 77, T. I.
57
+ A. S. No. 6820}}, and the {{Optional Protocol Concerning the Compulsory
58
+ Settlement of Disputes to the Vienna Convention (Optional Protocol
59
+ or Protocol), Apr. 24, 1963, [1970] 21 U. S. T. 325, T. I. A. S. No.
60
+ 6820}}. The preamble to the Convention provides that its purpose is to
61
+ “contribute to the development of friendly relations among nations.”
62
+ {{21 U. S. T., at 79; \\Sanchez-Llamas, supra,\\ at 337.}} Toward
63
+ that end, Article 36 of the Convention was drafted to “facilitat[e]
64
+ the exercise of consular functions.” {{Art. 36(1), 21 U. S. T., at
65
+ 100.}} It provides that if a person detained by a foreign country “so
66
+ requests, the competent authorities of the receiving State shall,
67
+ without delay, inform the consular post of the sending State” of such
68
+ detention, and “inform the [detainee] of his righ[t]” to request
69
+ assistance from the consul of his own state. {{Art. 36(1)(b), \\id.,\\
70
+ at 101.}}
71
+
72
+ The Optional Protocol provides a venue for the resolution of disputes
73
+ arising out of the interpretation or application of the Vienna
74
+ Convention. {{Art. I, 21 U. S. T., at 326.}} Under the Protocol,
75
+ such disputes “shall lie within the compulsory jurisdiction of the
76
+ International Court of Justice” and “may accordingly be brought
77
+ before the [ICJ] . . . by any party to the dispute being a Party to
78
+ the present Protocol.” {{\\Ibid.\\}}
79
+
80
+ The ICJ is “the principal judicial organ of the United Nations.”
81
+ {{United Nations Charter, Art. 92, 59 Stat. 1051, T. S. No. 993
82
+ (1945).}} It was established in 1945 pursuant to the United
83
+ Nations Charter. The ICJ Statute—annexed to the @@500@@ U. N.
84
+ Charter—provides the organizational framework and governing procedures
85
+ for cases brought before the ICJ. {{Statute of the International Court
86
+ of Justice (ICJ Statute), 59 Stat. 1055, T. S. No. 993 (1945).}}
87
+
88
+ Under Article 94(1) of the U. N. Charter, “[e]ach Member of the
89
+ United Nations undertakes to comply with the decision of the [ICJ] in
90
+ any case to which it is a party.” {{59 Stat. 1051.}} The ICJ’s
91
+ jurisdiction in any particular case, however, is dependent upon the
92
+ consent of the parties. {{See Art. 36, \\id.,\\ at 1060.}} The ICJ
93
+ Statute delineates two ways in which a nation may consent to ICJ
94
+ jurisdiction: It may consent generally to jurisdiction on any question
95
+ arising under a treaty or general international law, {{Art. 36(2),
96
+ \\ibid.\\}}, or it may consent specifically to jurisdiction over a
97
+ particular category of cases or disputes pursuant to a separate treaty,
98
+ {{Art. 36(1), \\ibid.\\}} The United States originally consented to the
99
+ general jurisdiction of the ICJ when it filed a declaration recognizing
100
+ compulsory jurisdiction under Art. 36(2) in 1946. The United States
101
+ withdrew from general ICJ jurisdiction in 1985. {{See U. S. Dept. of
102
+ State Letter and Statement Concerning Termination of Acceptance of ICJ
103
+ Compulsory Jurisdiction (Oct. 7, 1985), reprinted in 24 I. L. M. 1742
104
+ (1985).}} By ratifying the Optional Protocol to the Vienna Convention,
105
+ the United States consented to the specific jurisdiction of the ICJ with
106
+ respect to claims arising out of the Vienna Convention. On March 7,
107
+ 2005, subsequent to the ICJ’s judgment in \\Avena,\\ the United States
108
+ gave notice of withdrawal from the Optional Protocol to the Vienna
109
+ Convention. {{Letter from Condoleezza Rice, Secretary of State, to Kofi
110
+ A. Annan, Secretary-General of the United Nations.}}
111
+
112
+ # B
113
+
114
+ Petitioner José Ernesto Medellín, a Mexican national, has lived in
115
+ the United States since preschool. A member of the @@501@@ “Black and
116
+ Whites” gang, Medellín was convicted of capital murder and sentenced
117
+ to death in Texas for the gang rape and brutal murders of two Houston
118
+ teenagers.
119
+
120
+ On June 24, 1993, 14-year-old Jennifer Ertman and 16-yearold Elizabeth
121
+ Pena were walking home when they encountered Medellín and several
122
+ fellow gang members. Medellín attempted to engage Elizabeth in
123
+ conversation. When she tried to run, petitioner threw her to the ground.
124
+ Jennifer was grabbed by other gang members when she, in response to her
125
+ friend’s cries, ran back to help. The gang members raped both girls
126
+ for over an hour. Then, to prevent their victims from identifying them,
127
+ Medellín and his fellow gang members murdered the girls and discarded
128
+ their bodies in a wooded area. Medellín was personally responsible for
129
+ strangling at least one of the girls with her own shoelace.
130
+
131
+ Medellín was arrested at approximately 4 a.m. on June 29, 1993.
132
+ A few hours later, between 5:54 and 7:23 a.m., Medellín was given
133
+ \\Miranda\\ warnings; he then signed a written waiver and gave a
134
+ detailed written confession. {{App. to Brief for Respondent 32–36.}}
135
+ Local law enforcement officers did not, however, inform Medellín of
136
+ his Vienna Convention right to notify the Mexican consulate of his
137
+ detention. Brief for Petitioner 6–7. Medellín was convicted of
138
+ capital murder and sentenced to death; his conviction and sentence were
139
+ affirmed on appeal. {{\\Medellín\\ v. \\State,\\ No. 71,997 (Tex. Crim.
140
+ App., May 16, 1997), App. to Brief for Respondent 2–31.}}
141
+
142
+ Medellín first raised his Vienna Convention claim in his first
143
+ application for state postconviction relief. The state trial court held
144
+ that the claim was procedurally defaulted because Medellín had failed
145
+ to raise it at trial or on direct review. The trial court also rejected
146
+ the Vienna Convention claim on the merits, finding that Medellín had
147
+ “fail[ed] to show that any non-notification of the Mexican authorities
148
+ im@@502@@pacted on the validity of his conviction or punishment.”
149
+ {{\\Id.,\\ at 62.}}[[1]] The Texas Court of Criminal Appeals affirmed.
150
+ {{\\Id.,\\ at 64–65.}}
151
+
152
+ Medellín then filed a habeas petition in Federal District Court.
153
+ The District Court denied relief, holding that Medellín’s Vienna
154
+ Convention claim was procedurally defaulted and that Medellín had
155
+ failed to show prejudice arising from the Vienna Convention violation.
156
+ {{See \\Medellín\\ v. \\Cockrell,\\ Civ. Action No. H–01–4078 (SD
157
+ Tex., June 26, 2003), App. to Brief for Respondent 66, 86–92.}}
158
+
159
+ While Medellín’s application for a certificate of appealability was
160
+ pending in the Fifth Circuit, the ICJ issued its decision in \\Avena.\\
161
+ The ICJ held that the United States had violated Article 36(1)(b) of the
162
+ Vienna Convention by failing to inform the 51 named Mexican nationals,
163
+ including Medellín, of their Vienna Convention rights. {{2004 I. C.
164
+ J., at 53–55.}} In the ICJ’s determination, the United States
165
+ was obligated “to provide, by means of its own choosing, review
166
+ and reconsideration of the convictions and sentences of the @@503@@
167
+ [affected] Mexican nationals.” {{\\Id.,\\ at 72, ¶ 153(9).}} The
168
+ ICJ indicated that such review was required without regard to state
169
+ procedural default rules. {{\\Id.,\\ at 56–57.}}
170
+
171
+
172
+ ^1 The requirement of Article 36(1)(b) of the Vienna Convention that the
173
+ detaining state notify the detainee’s consulate “without delay”
174
+ is satisfied, according to the ICJ, where notice is provided within
175
+ three working days. {{\\Avena,\\ 2004 I. C. J. 12, 52, ¶ 97 (Judgment
176
+ of Mar. 31). See \\Sanchez-Llamas\\ v. \\Oregon,\\ 548 U. S. 331, 362
177
+ (2006) (<<Ginsburg,>> J., concurring in judgment).}} Here, Medellín
178
+ confessed within three hours of his arrest—before there could be a
179
+ violation of his Vienna Convention right to consulate notification. App.
180
+ to Brief for Respondent 32–36. In a second state habeas application,
181
+ Medellín sought to expand his claim of prejudice by contending that
182
+ the State’s noncompliance with the Vienna Convention deprived him of
183
+ assistance in developing mitigation evidence during the capital phase of
184
+ his trial. This argument, however, was likely waived: Medellín had the
185
+ assistance of consulate counsel during the preparation of his \\first\\
186
+ application for state postconviction relief, yet failed to raise this
187
+ argument at that time. {{See Application for Writ of Habeas Corpus in
188
+ \\Ex parte Medellín,\\ No. 675430–A (Tex. Crim. App., Mar. 26, 1998),
189
+ pp. 25–31.}} In light of our disposition of this case, we need not
190
+ consider whether Medellín was prejudiced in any way by the violation of
191
+ his Vienna Convention rights.
192
+
193
+ The Fifth Circuit denied a certificate of appealability.
194
+ {{\\Medellín\\ v. \\Dretke,\\ 371 F. 3d 270, 281 (2004).}} The court
195
+ concluded that the Vienna Convention did not confer individually
196
+ enforceable rights. \\Id.,\\ at 280. The court further ruled that it
197
+ was in any event bound by this Court’s decision in {{\\Breard\\ v.
198
+ \\Greene,\\ 523 U. S. 371, 375 (1998) (\\per curiam\\)}}, which held
199
+ that Vienna Convention claims are subject to procedural default rules,
200
+ rather than by the ICJ’s contrary decision in {{\\Avena.\\ 371 F. 3d,
201
+ at 280}}.
202
+
203
+ This Court granted certiorari. {{\\Medellín\\ v. \\Dretke,\\ 544
204
+ U. S. 660, 661 (2005) (\\per curiam\\) (\\Medellín I\\).}} Before
205
+ we heard oral argument, however, President George W. Bush issued his
206
+ Memorandum for the United States Attorney General, providing:
207
+
208
+ “I have determined, pursuant to the authority vested in me as
209
+ President by the Constitution and the laws of the United States of
210
+ America, that the United States will discharge its international
211
+ obligations under the decision of the International Court of Justice
212
+ in [\\Avena\\], by hav ing State courts give effect to the decision
213
+ in accordance with general principles of comity in cases filed by
214
+ the 51 Mexican nationals addressed in that decision.” {{App. to
215
+ Pet. for Cert. 187a.}}
216
+
217
+ Medellín, relying on the President’s Memorandum and the ICJ’s
218
+ decision in \\Avena,\\ filed a second application for habeas relief
219
+ in state court. {{\\Ex parte Medellín,\\ 223 S. W. 3d 315, 322–323
220
+ (Tex. Crim. App. 2006).}} Because the state-court proceedings might have
221
+ provided Medellín with the review and reconsideration he requested, and
222
+ because his claim for federal relief might otherwise have been barred,
223
+ we dismissed his petition for certiorari as improvidently granted.
224
+ {{\\Medellín I, supra,\\ at 664.}}@@504@@
225
+
226
+ The Texas Court of Criminal Appeals subsequently dismissed
227
+ Medellín’s second state habeas application as an abuse of the writ.
228
+ {{223 S. W. 3d, at 352.}} In the court’s view, neither the \\Avena\\
229
+ decision nor the President’s Memorandum was “binding federal
230
+ law” that could displace the State’s limitations on the filing of
231
+ successive habeas applications. {{223 S. W. 3d, at 352.}} We again
232
+ granted certiorari. {{550 U. S. 917 (2007).}}
233
+
234
+ # II
235
+
236
+ Medellín first contends that the ICJ’s judgment in \\Avena\\
237
+ constitutes a “binding” obligation on the state and federal courts
238
+ of the United States. He argues that “by virtue of the Supremacy
239
+ Clause, the treaties requiring compliance with the \\Avena\\ judgment
240
+ are \\already\\ the ‘Law of the Land’ by which all state and federal
241
+ courts in this country are ‘bound.’ ” Reply Brief for Petitioner
242
+ 1. Accordingly, Medellín argues, \\Avena\\ is a binding federal rule of
243
+ decision that pre-empts contrary state limitations on successive habeas
244
+ petitions.
245
+
246
+ No one disputes that the \\Avena\\ decision—a decision that flows
247
+ from the treaties through which the United States submitted to ICJ
248
+ jurisdiction with respect to Vienna Convention disputes—constitutes
249
+ an \\international\\ law obligation on the part of the United States.
250
+ But not all international law obligations automatically constitute
251
+ binding federal law enforceable in United States courts. The question
252
+ we confront here is whether the \\Avena\\ judgment has automatic
253
+ \\domestic\\ legal effect such that the judgment of its own force
254
+ applies in state and federal courts.
255
+
256
+ This Court has long recognized the distinction between treaties that
257
+ automatically have effect as domestic law, and those that—while
258
+ they constitute international law commitments—do not by themselves
259
+ function as binding federal law. The distinction was well explained by
260
+ Chief Justice Marshall’s opinion in {{\\Foster\\ v. \\Neilson,\\ 2
261
+ Pet. 253, 315 (1829)}}, @@505@@ overruled on other grounds, {{\\United
262
+ States\\ v. \\Percheman,\\ 7 Pet. 51 (1833)}}, which held that a
263
+ treaty is “equivalent to an act of the legislature,” and hence
264
+ self-executing, when it “operates of itself without the aid of
265
+ any legislative provision.” {{\\Foster, supra,\\ at 314.}} When,
266
+ in contrast, “[treaty] stipulations are not self-executing they
267
+ can only be enforced pursuant to legislation to carry them into
268
+ effect.” {{\\Whitney\\ v. \\Robertson,\\ 124 U. S. 190, 194 (1888).}}
269
+ In sum, while treaties “may comprise international commitments
270
+ . . . they are not domestic law unless Congress has either enacted
271
+ implementing statutes or the treaty itself conveys an intention that it
272
+ be ‘self-executing’ and is ratified on these terms.” {{\\Igartu´
273
+ a-De La Rosa\\ v. \\United States,\\ 417 F. 3d 145, 150 (CA1 2005) (en
274
+ banc) (Boudin, C. J.).}}[[2]]
275
+
276
+ A treaty is, of course, “primarily a compact between independent
277
+ nations.” {{\\Head Money Cases,\\ 112 U. S. 580, 598 (1884).}}
278
+ It ordinarily “depends for the enforcement of its provisions on
279
+ the interest and the honor of the governments which are parties to
280
+ it.”{{ \\Ibid.\\; see also The Federalist No. 33, p. 207 (J. Cooke
281
+ ed. 1961) (A. Hamilton) (comparing laws that individuals are “bound
282
+ to observe” as “the \\supreme law\\ of the land” with “a mere
283
+ treaty, dependent on the good faith of the parties”).}} “If these
284
+ [interests] fail, its infraction becomes the subject of international
285
+ negotiations and reclamations . . . . It is obvious that with all
286
+ this the judicial courts have nothing to do and can give no redress.”
287
+ {{\\Head Money Cases, supra,\\ at 598.}} Only “[i]f the treaty
288
+ contains stipulations which are self-executing, that is, require no
289
+ legislation to make them operative, [will] they have the force
290
+
291
+ ^2 The label “self-executing” has on occasion been used to convey
292
+ different meanings. What we mean by “self-executing” is that the
293
+ treaty has automatic domestic effect as federal law upon ratification.
294
+ Conversely, a “non-self-executing” treaty does not by itself give
295
+ rise to domestically enforceable federal law. Whether such a treaty
296
+ has domestic effect depends upon implementing legislation passed by
297
+ Congress. @@506@@ and effect of a legislative enactment.” {{\\Whitney,
298
+ supra,\\ at 194.}}[[3]]
299
+
300
+ Medellín and his \\amici\\ nonetheless contend that the Optional
301
+ Protocol, U. N. Charter, and ICJ Statute supply the “relevant
302
+ obligation” to give the \\Avena\\ judgment binding effect in the
303
+ domestic courts of the United States. {{Reply Brief for Petitioner
304
+ 5–6.}}[[4]] Because none of these treaty sources creates binding
305
+ federal law in the absence of implementing legislation, and because it
306
+ is uncontested that no such legislation exists, we conclude that the
307
+ \\Avena\\ judgment is not automatically binding domestic law.
308
+
309
+ ## A
310
+
311
+ The interpretation of a treaty, like the interpretation of a statute,
312
+ begins with its text. {{\\Air France\\ v. \\Saks,\\ 470 @@507@@ U. S.
313
+ 392, 396–397 (1985).}} Because a treaty ratified by the United States
314
+ is “an agreement among sovereign powers,” we have also considered as
315
+ “aids to its interpretation” the negotiation and drafting history
316
+ of the treaty as well as “the postratification understanding” of
317
+ signatory nations. {{\\Zicherman\\ v. \\Korean Air Lines Co.,\\ 516
318
+ U. S. 217, 226 (1996); see also \\United States\\ v. \\Stuart,\\ 489 U.
319
+ S. 353, 365–366 (1989); \\Choctaw Nation\\ v. \\United States,\\ 318
320
+ U. S. 423, 431–432 (1943).}}
321
+
322
+ ^3 Even when treaties are self-executing in the sense that they create
323
+ federal law, the background presumption is that “[i]nternational
324
+ agreements, even those directly benefiting private persons, generally
325
+ do not create private rights or provide for a private cause of action
326
+ in domestic courts.” {{2 Restatement (Third) of Foreign Relations Law
327
+ of the United States § 907, Comment \\a,\\ p. 395 (1986) (hereinafter
328
+ Restatement).}} Accordingly, a number of the Courts of Appeals have
329
+ presumed that treaties do not create privately enforceable rights
330
+ in the absence of express language to the contrary. {{See, \\e. g.,
331
+ United States\\ v. \\Emuegbunam,\\ 268 F. 3d 377, 389 (CA6 2001);
332
+ \\United States\\ v. \\Jimenez-Nava,\\ 243 F. 3d 192, 195 (CA5 2001);
333
+ \\United States\\ v. \\Li,\\ 206 F. 3d 56, 60–61 (CA1 2000) (en banc);
334
+ \\Goldstar\\ (\\Panama\\) \\S. A.\\ v. \\United States,\\ 967 F. 2d 965,
335
+ 968 (CA4 1992); \\Canadian Transp. Co.\\ v. \\United States,\\ 663 F.
336
+ 2d 1081, 1092 (CADC 1980); \\Mannington Mills, Inc.\\ v. \\Congoleum
337
+ Corp.,\\ 595 F. 2d 1287, 1298 (CA3 1979).}}
338
+
339
+ ^4 The question is whether the \\Avena\\ judgment has binding effect
340
+ in domestic courts under the Optional Protocol, ICJ Statute, and U.
341
+ N. Charter. Consequently, it is unnecessary to resolve whether the
342
+ Vienna Convention is itself “self-executing” or whether it grants
343
+ Medellín individually enforceable rights. {{See Reply Brief for
344
+ Petitioner 5 (disclaiming reliance on the Vienna Convention).}} As in
345
+ {{\\Sanchez-Llamas,\\ 548 U. S., at 342–343}}, we thus assume, without
346
+ deciding, that Article 36 grants foreign nationals “an individually
347
+ enforceable right to request that their consular officers be notified of
348
+ their detention, and an accompanying right to be informed by authorities
349
+ of the availability of consular notification.”
350
+
351
+ As a signatory to the Optional Protocol, the United States agreed to
352
+ submit disputes arising out of the Vienna Convention to the ICJ. The
353
+ Protocol provides: “Disputes arising out of the interpretation or
354
+ application of the [Vienna] Convention shall lie within the compulsory
355
+ jurisdiction of the International Court of Justice.” {{Art. I, 21 U.
356
+ S. T., at 326.}} Of course, submitting to jurisdiction and agreeing to
357
+ be bound are two different things. A party could, for example, agree
358
+ to compulsory nonbinding arbitration. Such an agreement would require
359
+ the party to appear before the arbitral tribunal without obligating the
360
+ party to treat the tribunal’s decision as binding. {{See, \\e. g.,\\
361
+ North American Free Trade Agreement, U. S.-Can.-Mex., Art. 2018(1),
362
+ Dec. 17, 1992, 32 I. L. M. 605, 697 (1993) (“On receipt of the final
363
+ report of [the arbitral panel requested by a Party to the agreement],
364
+ the disputing Parties shall agree on the resolution of the dispute,
365
+ which normally shall conform with the determinations and recommendations
366
+ of the panel”).}}
367
+
368
+ The most natural reading of the Optional Protocol is as a bare grant
369
+ of jurisdiction. It provides only that “[d]isputes arising out of
370
+ the interpretation or application of the [Vienna] Convention shall
371
+ lie within the compulsory jurisdiction of the International Court of
372
+ Justice” and “may accordingly be brought before the [ICJ] . . .
373
+ by any party to the dispute being a Party to the present Protocol.”
374
+ {{Art. I, 21 U. S. T., at 326.}} The Protocol says nothing about the
375
+ effect of an ICJ decision and does not itself commit signatories to
376
+ @@508@@ comply with an ICJ judgment. The Protocol is similarly silent as
377
+ to any enforcement mechanism.
378
+
379
+ The obligation on the part of signatory nations to comply with ICJ
380
+ judgments derives not from the Optional Protocol, but rather from
381
+ Article 94 of the U. N. Charter—the provision that specifically
382
+ addresses the effect of ICJ decisions. Article 94(1) provides that
383
+ “[e]ach Member of the United Nations \\undertakes to comply\\ with
384
+ the decision of the [ICJ] in any case to which it is a party.” {{59
385
+ Stat. 1051 (emphasis added).}} The Executive Branch contends that the
386
+ phrase “undertakes to comply” is not “an acknowledgement that an
387
+ ICJ decision will have immediate legal effect in the courts of U. N.
388
+ members,” but rather “a \\commitment\\ on the part of U. N. members
389
+ to take \\future\\ action through their political branches to comply
390
+ with an ICJ decision.” {{Brief for United States as \\Amicus Curiae\\
391
+ in \\MedellínI,\\ O. T. 2004, No. 04–5928, p. 34.}}
392
+
393
+ We agree with this construction of Article 94. The Article is not
394
+ a directive to domestic courts. It does not provide that the United
395
+ States “shall” or “must” comply with an ICJ decision, nor
396
+ indicate that the Senate that ratified the U. N. Charter intended to
397
+ vest ICJ decisions with immediate legal effect in domestic courts.
398
+ Instead, “[t]he words of Article 94 . . . call upon governments to
399
+ take certain action.” {{\\Committee of United States Citizens Living
400
+ in Nicaragua\\ v. \\Reagan,\\ 859 F. 2d 929, 938 (CADC 1988) (quoting
401
+ \\Diggs\\ v. \\Richardson,\\ 555 F. 2d 848, 851 (CADC 1976); internal
402
+ quotation marks omitted). See also \\Foster,\\ 2 Pet., at 314, 315
403
+ (holding a treaty non-self-executing because its text—“ ‘all
404
+ . . . grants of land . . . shall be ratified and confirmed’
405
+ ”—did not “act directly on the grants” but rather “pledge[d]
406
+ the faith of the United States to pass acts which shall ratify and
407
+ confirm them”).}} In other words, the U. N. Charter reads like
408
+ “a compact between independent nations” that “depends for the
409
+ enforcement of its provisions on the interest and the @@509@@ honor of
410
+ the governments which are parties to it.” {{\\Head Money Cases,\\
411
+ 112 U. S., at 598.}}[[5]] The remainder of Article 94 confirms that
412
+ the U. N. Charter does not contemplate the automatic enforceability of
413
+ ICJ decisions in domestic courts.[[6]] Article 94(2)—the enforcement
414
+ provision—provides the sole remedy for noncompliance: referral to
415
+ the United Nations Security Council by an aggrieved state. {{59 Stat.
416
+ 1051.}}
417
+
418
+ The U. N. Charter’s provision of an express diplomatic—that is,
419
+ nonjudicial—remedy is itself evidence that ICJ judgments were not
420
+ meant to be enforceable in domestic courts. {{See \\Sanchez-Llamas,\\
421
+ 548 U. S., at 347.}} And even this “quintessentially \\international\\
422
+ remed[y],” {{\\id.,\\ at 355}}, is not absolute. First, the Security
423
+ Council must “dee[m] necessary” the issuance of a recommendation
424
+ or measure to effectuate the judgment. {{Art. 94(2), 59 Stat. 1051.}}
425
+ Second, as the President and Senate were undoubtedly aware in
426
+ subscribing to the U. N. Charter and Optional Protocol, the @@510@@
427
+ United States retained the unqualified right to exercise its veto of any
428
+ Security Council resolution.
429
+
430
+ ^5 We do not read “undertakes” to mean that “ ‘ “[t]he United
431
+ States . . . shall be at liberty to make respecting th[e] matter, such
432
+ laws as they think proper.” ’ ” {{\\Post,\\ at 554(<<Breyer,>>
433
+ J., dissenting) (quoting \\Todok\\ v. \\Union State Bank of Harvard,\\
434
+ 281 U. S. 449, 453, 454 (1930) (holding that a treaty with Norway
435
+ did \\not\\ “operat[e] to override the law of [Nebraska] as to the
436
+ disposition of homestead property”)).}} Whether or not the United
437
+ States “undertakes” to comply with a treaty says nothing about what
438
+ laws it may enact. The United States is \\always\\ “at liberty to
439
+ make . . . such laws as [it] think[s] proper.” {{\\Id.,\\ at 453.}}
440
+ Indeed, a later-in-time federal statute supersedes inconsistent treaty
441
+ provisions. {{See, \\e. g., Cook\\ v. \\United States,\\ 288 U. S. 102,
442
+ 119–120 (1933).}} Rather, the “undertakes to comply” language
443
+ confirms that further action to give effect to an ICJ judgment was
444
+ contemplated, contrary to the dissent’s position that such judgments
445
+ constitute directly enforceable federal law, without more. {{See also
446
+ \\post,\\ at 533–535 (<<Stevens,>> J., concurring in judgment).}}
447
+
448
+ ^6 Article 94(2) provides in full: “If any party to a case fails to
449
+ perform the obligations incumbent upon it under a judgment rendered by
450
+ the Court, the other party may have recourse to the Security Council,
451
+ which may, if it deems necessary, make recommendations or decide upon
452
+ measures to be taken to give effect to the judgment.” {{59 Stat.
453
+ 1051.}}
454
+
455
+ This was the understanding of the Executive Branch when the President
456
+ agreed to the U. N. Charter and the declaration accepting general
457
+ compulsory ICJ jurisdiction. {{See, \\e. g.,\\ The Charter of the
458
+ United Nations for the Maintenance of International Peace and Security:
459
+ Hearings before the Senate Committee on Foreign Relations, 79th Cong.,
460
+ 1st Sess., 124–125 (1945) (“[I]f a state fails to perform its
461
+ obligations under a judgment of the [ICJ], the other party may have
462
+ recourse to the Security Council”); \\id.,\\ at 286 (statement of Leo
463
+ Pasvolsky, Special Assistant to the Secretary of State for International
464
+ Organizations and Security Affairs) (“[W]hen the Court has rendered a
465
+ judgment and one of the parties refuses to accept it, then the dispute
466
+ becomes political rather than legal. It is as a political dispute
467
+ that the matter is referred to the Security Council”); A Resolution
468
+ Proposing Acceptance of Compulsory Jurisdiction of International Court
469
+ of Justice: Hearings on S. Res. 196 before the Subcommittee of the
470
+ Senate Committee on Foreign Relations, 79th Cong., 2d Sess., 142 (1946)
471
+ (statement of Charles Fahy, State Dept. Legal Adviser) (while parties
472
+ that accept ICJ jurisdiction have “a moral obligation” to comply
473
+ with ICJ decisions, Article 94(2) provides the exclusive means of
474
+ enforcement).}}
475
+
476
+ If ICJ judgments were instead regarded as automatically enforceable
477
+ domestic law, they would be immediately and directly binding on state
478
+ and federal courts pursuant to the Supremacy Clause. Mexico or the
479
+ ICJ would have no need to proceed to the Security Council to enforce
480
+ the judgment in this case. Noncompliance with an ICJ judgment through
481
+ exercise of the Security Council veto—always regarded as an option by
482
+ the Executive and ratifying Senate during and after consideration of the
483
+ U. N. Charter, Optional Protocol, and ICJ Statute—would no longer be
484
+ a viable alternative. @@511@@ There would be nothing to veto. In light
485
+ of the U. N. Charter’s remedial scheme, there is no reason to believe
486
+ that the President and Senate signed up for such a result.
487
+
488
+ In sum, Medellín’s view that ICJ decisions are automatically
489
+ enforceable as domestic law is fatally undermined by the enforcement
490
+ structure established by Article 94. His construction would eliminate
491
+ the option of noncompliance contemplated by Article 94(2), undermining
492
+ the ability of the political branches to determine whether and how to
493
+ comply with an ICJ judgment. Those sensitive foreign policy decisions
494
+ would instead be transferred to state and federal courts charged
495
+ with applying an ICJ judgment directly as domestic law. And those
496
+ courts would not be empowered to decide whether to comply with the
497
+ judgment—again, always regarded as an option by the political
498
+ branches—any more than courts may consider whether to comply with
499
+ any other species of domestic law. This result would be particularly
500
+ anomalous in light of the principle that “[t]he conduct of the foreign
501
+ relations of our Government is committed by the Constitution to the
502
+ Executive and Legislative—‘the political’—Departments.”
503
+ {{\\Oetjen\\ v. \\Central Leather Co.,\\ 246 U. S. 297, 302 (1918).}}
504
+
505
+ The ICJ Statute, incorporated into the U. N. Charter, provides further
506
+ evidence that the ICJ’s judgment in \\Avena\\ does not automatically
507
+ constitute federal law judicially enforceable in United States courts.
508
+ {{Art. 59, 59 Stat. 1062.}} To begin with, the ICJ’s “principal
509
+ purpose” is said to be to “arbitrate particular disputes between
510
+ national governments.” {{\\Sanchez-Llamas, supra,\\ at 355 (citing
511
+ 59 Stat. 1055).}} Accordingly, the ICJ can hear disputes only between
512
+ nations, not individuals. {{Art. 34(1), \\id.,\\ at 1059 (“Only states
513
+ [\\i. e.,\\ countries] may be parties in cases before the [ICJ]”).}}
514
+ More important, Article 59 of the statute provides that “[t]he
515
+ decision of the [ICJ] has \\no binding force\\ except between the
516
+ parties and in respect of that particular case.” @@512@@ {{\\Id.,\\ at
517
+ 1062 (emphasis added).}}The dissent does not explain how Medellín, an
518
+ individual, can be a party to the ICJ proceeding.
519
+
520
+ Medellín argues that because the \\Avena\\ case involves him, it
521
+ is clear that he—and the 50 other Mexican nationals named in the
522
+ \\Avena\\ decision—should be regarded as parties to the \\Avena\\
523
+ judgment. {{Brief for Petitioner 21–22.}} But cases before the ICJ
524
+ are often precipitated by disputes involving particular persons or
525
+ entities, disputes that a nation elects to take up as its own. {{See,
526
+ \\e. g., Case Concerning the Barcelona Traction, Light & Power Co.\\
527
+ (\\Belg.\\ v. \\Spain\\), 1970 I. C. J. 3 (Judgment of Feb. 5) (claim
528
+ brought by Belgium on behalf of Belgian nationals and shareholders);
529
+ \\Case Concerning the Protection of French Nationals and Protected
530
+ Persons in Egypt\\ (\\Fr.\\ v. \\Egypt\\), 1950 I. C. J. 59 (Order of
531
+ Mar. 29) (claim brought by France on behalf of French nationals and
532
+ protected persons in Egypt); \\Anglo-Iranian Oil Co. Case\\ (\\U. K.\\
533
+ v. \\Iran\\), 1952 I. C. J. 93, 112 (Judgment of July 22) (claim brought
534
+ by the United Kingdom on behalf of the Anglo-Iranian Oil Company).}}
535
+ That has never been understood to alter the express and established
536
+ rules that only nation-states may be parties before the ICJ, {{Art.
537
+ 34, 59 Stat. 1059,}} and—contrary to the position of the dissent,
538
+ {{\\post,\\ at 559}}—that ICJ judgments are binding only between those
539
+ parties, {{Art. 59, 59 Stat. 1062.}}[[8]]
540
+
541
+ ^7 Medellín alters this language in his brief to provide that the ICJ
542
+ Statute makes the \\Avena\\ judgment binding “in respect of [his]
543
+ particular case.” {{Brief for Petitioner 22 (internal quotation marks
544
+ omitted).}} Medellín does not and cannot have a case before the ICJ
545
+ under the terms of the ICJ Statute.
546
+
547
+ ^8 The dissent concludes that the ICJ judgment is binding federal law
548
+ based in large part on its belief that the Vienna Convention overrides
549
+ contrary state procedural rules. {{See \\post,\\ at 555–557, 559.}}
550
+ But not even Medellín relies on the Convention. {{See Reply Brief for
551
+ Petitioner 5 (disclaiming reliance).}} For good reason: Such reliance is
552
+ foreclosed by the decision of this Court in {{\\Sanchez-Llamas,\\ 548
553
+ U. S., at 351 (holding that @@513@@ the Convention does not preclude
554
+ the application of state procedural bars); see also \\id.,\\ at 363
555
+ (<<Ginsburg,>> J., concurring in judgment)}}. There is no basis for
556
+ relitigating the issue. Further, to rely on the Convention would
557
+ elide the distinction between a treaty—negotiated by the President
558
+ and signed by Congress—and a judgment rendered pursuant to those
559
+ treaties.@@513@@
560
+
561
+ It is, moreover, well settled that the United States’ interpretation
562
+ of a treaty “is entitled to great weight.” {{\\Sumitomo Shoji
563
+ America, Inc.\\ v. \\Avagliano,\\ 457 U. S. 176, 184–185 (1982); see
564
+ also \\El Al Israel Airlines, Ltd.\\ v. \\Tsui Yuan Tseng,\\ 525 U. S.
565
+ 155, 168 (1999).}} The Executive Branch has unfailingly adhered to its
566
+ view that the relevant treaties do not create domestically enforceable
567
+ federal law. {{See Brief for United States as \\Amicus Curiae\\ 4,
568
+ 27–29.}}[[9]]
569
+
570
+ The pertinent international agreements, therefore, do not provide for
571
+ implementation of ICJ judgments through direct enforcement in domestic
572
+ courts, and “where a treaty does not provide a particular remedy,
573
+ either expressly or implicitly, it @@514@@ is not for the federal
574
+ courts to impose one on the States through lawmaking of their own.”
575
+ {{\\Sanchez-Llamas,\\ 548 U. S., at 347.}}
576
+
577
+ ^9 In interpreting our treaty obligations, we also consider the
578
+ views of the ICJ itself, “giv[ing] respectful consideration to the
579
+ interpretation of an international treaty rendered by an international
580
+ court with jurisdiction to interpret [the treaty].” {{\\Breard\\
581
+ v. \\Greene,\\ 523 U. S. 371, 375 (1998) (\\per curiam\\); see
582
+ \\Sanchez-Llamas, supra,\\ at 355–356.}} It is not clear whether
583
+ that principle would apply when the question is the binding force
584
+ of ICJ judgments themselves, rather than the substantive scope of a
585
+ treaty the ICJ must interpret in resolving disputes. {{Cf. \\Phillips
586
+ Petroleum Co.\\ v. \\Shutts,\\ 472 U. S. 797, 805 (1985) (“[A]
587
+ court adjudicating a dispute may not be able to predetermine the res
588
+ judicata effect of its own judgment”); 18 C. Wright, A. Miller, &
589
+ E. Cooper, Federal Practice and Procedure § 4405, p. 82 (2d ed.
590
+ 2002) (“The first court does not get to dictate to other courts
591
+ the preclusion consequences of its own judgment”).}} In any event,
592
+ nothing suggests that the ICJ views its judgments as automatically
593
+ enforceable in the domestic courts of signatory nations. The \\Avena\\
594
+ judgment itself directs the United States to provide review and
595
+ reconsideration of the affected convictions and sentences \\“by means
596
+ of its own choosing.”\\ {{2004 I. C. J., at 72, ¶ 153(9) (emphasis
597
+ added).}} This language, as well as the ICJ’s mere suggestion that the
598
+ “judicial process” is best suited to provide such review, {{\\id.,\\
599
+ at 65–66}}, confirm that domestic enforceability in court is not part
600
+ and parcel of an ICJ judgment.
601
+
602
+ ## B
603
+
604
+ The dissent faults our analysis because it “looks for the wrong
605
+ thing (explicit textual expression about selfexecution) using the
606
+ wrong standard (clarity) in the wrong place (the treaty language).”
607
+ {{\\Post,\\ at 562.}} Given our obligation to interpret treaty
608
+ provisions to determine whether they are self-executing, we have to
609
+ confess that we do think it rather important to look to the treaty
610
+ language to see what it has to say about the issue. That is after all
611
+ what the Senate looks to in deciding whether to approve the treaty.
612
+
613
+ The interpretive approach employed by the Court today—resorting
614
+ to the text—is hardly novel. In two early cases involving an
615
+ 1819 land-grant treaty between Spain and the United States, Chief
616
+ Justice Marshall found the language of the treaty dispositive. In
617
+ \\Foster,\\ after distinguishing between self-executing treaties (those
618
+ “equivalent to an act of the legislature”) and non-self-executing
619
+ treaties (those “the legislature must execute”), Chief Justice
620
+ Marshall held that the 1819 treaty was non-self-executing. {{2 Pet.,
621
+ at 314.}} Four years later, the Supreme Court considered another claim
622
+ under the same treaty, but concluded that the treaty was self-executing.
623
+ {{See \\Percheman,\\ 7 Pet., at 87.}} The reason was not because the
624
+ treaty was sometimes self-executing and sometimes not, but because
625
+ “the language of” the Spanish translation (brought to the Court’s
626
+ attention for the first time) indicated the parties’ intent to ratify
627
+ and confirm the land grant “by force of the instrument itself.”
628
+ {{\\Id.,\\ at 89.}}
629
+
630
+ As against this time-honored textual approach, the dissent proposes
631
+ a multifactor, judgment-by-judgment analysis that would “jettiso[n]
632
+ relative predictability for the open-ended rough-and-tumble of
633
+ factors.” {{\\Jerome B. Grubart, Inc.\\ v. \\Great Lakes Dredge &
634
+ Dock Co.,\\ 513 U. S. 527, 547 (1995).}} @@515@@ The dissent’s novel
635
+ approach to deciding which (or, more accurately, when) treaties give
636
+ rise to directly enforceable federal law is arrestingly indeterminate.
637
+ Treaty language is barely probative. {{\\Post,\\ at 549 (“[T]he
638
+ absence or presence of language in a treaty about a provision’s
639
+ self-execution proves nothing at all”).}} Determining whether treaties
640
+ themselves create federal law is sometimes committed to the political
641
+ branches and sometimes to the judiciary. {{\\Post,\\ at 549–550.}} Of
642
+ those committed to the judiciary, the courts pick and choose which shall
643
+ be binding United States law—trumping not only state but other federal
644
+ law as well—and which shall not. {{\\Post,\\ at 550–562.}} They do
645
+ this on the basis of a multifactor, “context-specific” inquiry.
646
+ \\Post,\\ at 549. Even then, the same treaty sometimes gives rise to
647
+ United States law and sometimes does not, again depending on an ad hoc
648
+ judicial assessment. {{\\Post,\\ at 550–562.}}
649
+
650
+ Our Framers established a careful set of procedures that
651
+ must be followed before federal law can be created under the
652
+ Constitution—vesting that decision in the political branches, subject
653
+ to checks and balances. {{U. S. Const., Art. I, § 7.}} They also
654
+ recognized that treaties could create federal law, but again through the
655
+ political branches, with the President making the treaty and the Senate
656
+ approving it. {{Art. II, § 2.}} The dissent’s understanding of the
657
+ treaty route, depending on an ad hoc judgment of the judiciary without
658
+ looking to the treaty language—the very language negotiated by the
659
+ President and approved by the Senate—cannot readily be ascribed to
660
+ those same Framers.
661
+
662
+ The dissent’s approach risks the United States’ involvement in
663
+ international agreements. It is hard to believe that the United States
664
+ would enter into treaties that are sometimes enforceable and sometimes
665
+ not. Such a treaty would be the equivalent of writing a blank check to
666
+ the judiciary. Senators could never be quite sure what the treaties on
667
+ which they were voting meant. Only a judge could say for sure and only
668
+ at some future date. This uncertainty could @@516@@ hobble the United
669
+ States’ efforts to negotiate and sign international agreements.
670
+
671
+ In this case, the dissent—for a grab bag of no less than seven
672
+ reasons—would tell us that this \\particular\\ ICJ judgment is federal
673
+ law. {{\\Post,\\ at 549–562.}} That is no sort of guidance. Nor is
674
+ it any answer to say that the federal courts will diligently police
675
+ international agreements and enforce the decisions of international
676
+ tribunals only when they \\should be\\ enforced. {{\\Ibid.\\}} The
677
+ point of a non-self-executing treaty is that it “addresses itself to
678
+ the political, \\not\\ the judicial department; and the legislature
679
+ must execute the contract before it can become a rule for the Court.”
680
+ {{\\Foster, supra,\\ at 314 (emphasis added); \\Whitney,\\ 124 U. S., at
681
+ 195. See also \\Foster, supra,\\ at 307 (“The judiciary is not that
682
+ department of the government, to which the assertion of its interests
683
+ against foreign powers is confided”).}} The dissent’s contrary
684
+ approach would assign to the courts—not the political branches—the
685
+ primary role in deciding when and how international agreements will
686
+ be enforced. To read a treaty so that it sometimes has the effect of
687
+ domestic law and sometimes does not is tantamount to vesting with the
688
+ judiciary the power not only to interpret but also to create the law.
689
+
690
+ ## C
691
+
692
+ Our conclusion that \\Avena\\ does not by itself constitute binding
693
+ federal law is confirmed by the “postratification understanding”
694
+ of signatory nations. {{See \\Zicherman,\\ 516 U. S., at 226.}} There
695
+ are currently 47 nations that are parties to the Optional Protocol and
696
+ 171 nations that are parties to the Vienna Convention. Yet neither
697
+ Medellín nor his \\amici\\ have identified a single nation that treats
698
+ ICJ judgments as binding in domestic courts.[[10]] In determining that
699
+ the @@517@@ Vienna Convention did not require certain relief in United
700
+ States courts in \\Sanchez-Llamas,\\ we found it pertinent that the
701
+ requested relief would not be available under the treaty in any other
702
+ signatory country. {{See 548 U. S., at 343–344, and n. 3.}} So too
703
+ here the lack of any basis for supposing that any other country would
704
+ treat ICJ judgments as directly enforceable as a matter of its domestic
705
+ law strongly suggests that the treaty should not be so viewed in our
706
+ courts.
707
+
708
+
709
+ ^10 The best that the ICJ experts as \\amici curiae\\ can come up with
710
+ is the contention that local Moroccan courts have referred to ICJ
711
+ judgments as “dispositive.” {{Brief for ICJ Experts as \\Amici
712
+ Curiae\\ 20, n. 31.}} Even the ICJ experts do not cite a case so
713
+ holding, and Moroccan practice is at@@517@@ best inconsistent, for at
714
+ least one local Moroccan court has held that ICJ judgments are not
715
+ binding as a matter of municipal law. {{See, \\e. g., Mackay Radio &
716
+ Tel. Co.\\ v. \\Lal-La Fatma Bent si Mohamed el Khadar,\\ [1954] 21
717
+ Int’l L. Rep. 136 (Tangier, Ct. App. Int’l Trib.) (holding that
718
+ ICJ decisions are not binding on Morocco’s domestic courts); see
719
+ also “\\Socobel”\\ v. \\Greek State,\\ [1951] 18 Int’l L. Rep. 3
720
+ (Belg., Trib. Civ. de Bruxelles) (holding that judgments of the ICJ’s
721
+ predecessor, the Permanent Court of International Justice, were not
722
+ domestically enforceable).}}
723
+
724
+
725
+ Our conclusion is further supported by general principles of
726
+ interpretation. To begin with, we reiterated in \\Sanchez-Llamas\\ what
727
+ we held in \\Breard,\\ that “ ‘absent a clear and express statement
728
+ to the contrary, the procedural rules of the forum State govern the
729
+ implementation of the treaty in that State.’ ” {{548 U. S., at 351
730
+ (quoting \\Breard,\\ 523 U. S., at 375).}} Given that ICJ judgments may
731
+ interfere with state procedural rules, one would expect the ratifying
732
+ parties to the relevant treaties to have clearly stated their intent
733
+ to give those judgments domestic effect, if they had so intended. Here
734
+ there is no statement in the Optional Protocol, the U. N. Charter, or
735
+ the ICJ Statute that supports the notion that ICJ judgments displace
736
+ state procedural rules.
737
+
738
+ Moreover, the consequences of Medellín’s argument give pause. An
739
+ ICJ judgment, the argument goes, is not only binding domestic law but
740
+ is also unassailable. As a result, neither Texas nor this Court may
741
+ look behind a judgment and quarrel with its reasoning or result. (We
742
+ already know, from \\Sanchez-Llamas,\\ that this Court disagrees with
743
+ both @@518@@ the reasoning and result in \\Avena.\\) Medellín’s
744
+ interpretation would allow ICJ judgments to override otherwise binding
745
+ state law; there is nothing in his logic that would exempt contrary
746
+ federal law from the same fate. {{See, \\e. g., Cook\\ v. \\United
747
+ States,\\ 288 U. S. 102, 119 (1933) (later-in-time selfexecuting treaty
748
+ supersedes a federal statute if there is a conflict).}} And there is
749
+ nothing to prevent the ICJ from ordering state courts to annul criminal
750
+ convictions and sentences, for any reason deemed sufficient by the ICJ.
751
+ Indeed, that is precisely the relief Mexico requested. {{\\Avena,\\ 2004
752
+ I. C. J., at 58–59.}}
753
+
754
+ Even the dissent flinches at reading the relevant treaties to give
755
+ rise to self-executing ICJ judgments in all cases. It admits that
756
+ “Congress is unlikely to authorize automatic judicial enforceability
757
+ of \\all\\ ICJ judgments, for that could include some politically
758
+ sensitive judgments and others better suited for enforcement by other
759
+ branches.” {{\\Post,\\ at 560.}} Our point precisely. But the lesson
760
+ to draw from that insight is hardly that the judiciary should decide
761
+ which judgments are politically sensitive and which are not.
762
+
763
+ In short, and as we observed in \\Sanchez-Llamas,\\ “[n]othing in
764
+ the structure or purpose of the ICJ suggests that its interpretations
765
+ were intended to be conclusive on our courts.” {{548 U. S., at 354.}}
766
+ Given that holding, it is difficult to see how that same structure and
767
+ purpose can establish, as Medellín argues, that \\judgments\\ of the
768
+ ICJ nonetheless were intended to be conclusive on our courts. A judgment
769
+ is binding only if there is a rule of law that makes it so. And the
770
+ question whether ICJ judgments can bind domestic courts depends upon the
771
+ same analysis undertaken in \\Sanchez-Llamas\\ and set forth above.
772
+
773
+ Our prior decisions identified by the dissent as holding a number
774
+ of treaties to be self-executing, {{see \\post,\\ at 545–546}}, and
775
+ Appendix A, stand only for the unremarkable proposition that some
776
+ international agreements are self-executing and others are not. It is
777
+ well settled that the “[i]nterpreta@@519@@tion of [a treaty] . . .
778
+ must, of course, begin with the language of the Treaty itself.”
779
+ {{\\Sumitomo Shoji America, Inc.,\\ 457 U. S., at 180.}} As a result,
780
+ we have held treaties to be selfexecuting when the textual provisions
781
+ indicate that the President and Senate intended for the agreement to
782
+ have domestic effect.
783
+
784
+ Medellín and the dissent cite {{\\Comegys\\ v. \\Vasse,\\ 1 Pet.
785
+ 193 (1828)}}, for the proposition that the judgments of international
786
+ tribunals are automatically binding on domestic courts. {{See \\post,\\
787
+ at 546; Reply Brief for Petitioner 2; Brief for Petitioner 19–20.}}
788
+ That case, of course, involved a different treaty than the ones at
789
+ issue here; it stands only for the modest principle that the terms of
790
+ a treaty control the outcome of a case. [[11]] We do not suggest that
791
+ treaties can never afford binding domestic effect to international
792
+ tribunal judgments—only that the U. N. Charter, the Optional Protocol,
793
+ and the ICJ Statute do not do so. And whether the treaties underlying a
794
+ judgment are self-executing so that the judgment is directly enforceable
795
+ as domestic law in our courts is, of course, a matter for this Court to
796
+ decide. {{See \\Sanchez-Llamas, supra,\\ at 353–354.}}
797
+
798
+ ## D
799
+
800
+ Our holding does not call into question the ordinary enforcement of
801
+ foreign judgments or international arbitral @@520@@ agreements. Indeed,
802
+ we agree with Medellín that, as a general matter, “an agreement to
803
+ abide by the result” of an international adjudication—or what he
804
+ really means, an agreement to give the result of such adjudication
805
+ domestic legal effect—can be a treaty obligation like any other, so
806
+ long as the agreement is consistent with the Constitution. {{See Brief
807
+ for Petitioner 20.}} The point is that the particular treaty obligations
808
+ on which Medellín relies do not of their own force create domestic law.
809
+
810
+ ^11 The other case Medellín cites for the proposition that the
811
+ judgments of international courts are binding, {{\\La Abra Silver
812
+ Mining Co.\\ v. \\United States,\\ 175 U. S. 423 (1899)}}, and the
813
+ cases he cites for the proposition that this Court has routinely
814
+ enforced treaties under which foreign nationals have asserted rights,
815
+ similarly stand only for the principle that the terms of a treaty
816
+ govern its enforcement. See Reply Brief for Petitioner 4, 5, and n.
817
+ 2. In each case, this Court first interpreted the treaty prior to
818
+ finding it domestically enforceable. {{See, \\e. g., United States\\
819
+ v. \\Rauscher,\\ 119 U. S. 407, 422–423 (1886) (holding that the
820
+ treaty required extradition only for specified offenses); \\Hopkirk\\
821
+ v. \\Bell,\\ 3 Cranch 454, 458 (1806) (holding that the treaty of peace
822
+ between Great Britain and the United States prevented the operation of a
823
+ state statute of limitations on British debts).}}
824
+
825
+ The dissent worries that our decision casts doubt on some 70-odd
826
+ treaties under which the United States has agreed to submit disputes
827
+ to the ICJ according to “roughly similar” provisions. {{See
828
+ \\post,\\ at 540–541, 552–553.}} Again, under our established
829
+ precedent, some treaties are self-executing and some are not, depending
830
+ on the treaty. That the judgment of an international tribunal might
831
+ not automatically become domestic law hardly means the underlying
832
+ treaty is “useless.” {{See \\post,\\ at 553; cf. \\post,\\ at 548
833
+ (describing the British system in which treaties “virtually always
834
+ requir[e] parliamentary legislation”).}} Such judgments would still
835
+ constitute international obligations, the proper subject of political
836
+ and diplomatic negotiations. {{See \\Head Money Cases,\\ 112 U. S., at
837
+ 598.}} And Congress could elect to give them wholesale effect (rather
838
+ than the judgment-by-judgment approach hypothesized by the dissent,
839
+ \\post,\\ at 560) through implementing legislation, as it regularly
840
+ has. {{See, \\e. g.,\\ Foreign Affairs Reform and Restructuring Act
841
+ of 1998, § 2242, 112 Stat. 2681–822, note following 8 U. S. C.
842
+ § 1231 (directing the “appropriate agencies” to “prescribe
843
+ regulations to implement the obligations of the United States under
844
+ Article 3” of the Convention Against Torture and Other Forms of Cruel,
845
+ Inhuman or Degrading Treatment or Punishment); see also \\infra,\\ at
846
+ 521–522 (listing examples of legislation implementing international
847
+ obligations).}}
848
+
849
+ Further, that an ICJ judgment may not be automatically enforceable
850
+ in domestic courts does not mean the particular @@521@@ underlying
851
+ treaty is not. Indeed, we have held that a number of the “Friendship,
852
+ Commerce, and Navigation” Treaties cited by the dissent, {{see
853
+ Appendix B, \\post,\\}} are selfexecuting—based on “the language of
854
+ the[se] Treat[ies].” {{See \\Sumitomo Shoji America, Inc., supra,\\ at
855
+ 180, 189–190.}} In {{\\Kolovrat\\ v. \\Oregon,\\ 366 U. S. 187, 191,
856
+ 196 (1961)}}, for example, the Court found that Yugoslavian claimants
857
+ denied inheritance under Oregon law were entitled to inherit personal
858
+ property pursuant to an 1881 Treaty of Friendship, Navigation, and
859
+ Commerce between the United States and Serbia. {{See also \\Clark\\ v.
860
+ \\Allen,\\ 331 U. S. 503, 507–511, 517–518 (1947) (finding that the
861
+ right to inherit real property granted German aliens under the Treaty
862
+ of Friendship, Commerce and Consular Rights with Germany prevailed
863
+ over California law).}} Contrary to the dissent’s suggestion, {{see
864
+ \\post,\\ at 547}}, neither our approach nor our cases require that a
865
+ treaty provide for self-execution in so many talismanic words; that is
866
+ a caricature of the Court’s opinion. Our cases simply require courts
867
+ to decide whether a treaty’s terms reflect a determination by the
868
+ President who negotiated it and the Senate that confirmed it that the
869
+ treaty has domestic effect.
870
+
871
+ In addition, Congress is up to the task of implementing
872
+ non-self-executing treaties, even those involving complex commercial
873
+ disputes. {{Cf. \\post,\\ at 560 (<<Breyer,>> J., dissenting).}} The
874
+ judgments of a number of international tribunals enjoy a different
875
+ status because of implementing legislation enacted by Congress. {{See,
876
+ \\e. g.,\\ 22 U. S. C. § 1650a(a) (“An award of an arbitral
877
+ tribunal rendered pursuant to chapter IV of the [Convention on the
878
+ Settlement of Investment Disputes] shall create a right arising under
879
+ a treaty of the United States. The pecuniary obligations imposed by
880
+ such an award shall be enforced and shall be given the same full
881
+ faith and credit as if the award were a final judgment of a court of
882
+ general jurisdiction of one of the several States”); 9 U. S. C.
883
+ §§ 201–208 (“The [U. N.] Convention on the Recogni@@522@@tion
884
+ and Enforcement of Foreign Arbitral Awards of June 10, 1958, shall be
885
+ enforced in United States courts in accordance with this chapter,”
886
+ § 201).}} Such language demonstrates that Congress knows how to accord
887
+ domestic effect to international obligations when it desires such a
888
+ result.[[12]]
889
+
890
+ Further, Medellín frames his argument as though giving the \\Avena\\
891
+ judgment binding effect in domestic courts simply conforms to the
892
+ proposition that domestic courts generally give effect to foreign
893
+ judgments. But Medellín does not ask us to enforce a foreign-court
894
+ judgment settling a typical commercial or property dispute. {{See,
895
+ \\e. g., Hilton\\ v. \\Guyot,\\ 159 U. S. 113 (1895); \\United
896
+ States\\ v. \\Arredondo,\\ 6 Pet. 691 (1832); see also Uniform Foreign
897
+ Money-Judgments Recognition Act § 1(2), 13 U. L. A., pt. 2, p. 44
898
+ (2002) (“ ‘[F]oreign judgment’ means any judgment of a foreign
899
+ state granting or denying recovery of a sum of money”).}} Rather,
900
+ Medellín argues that the \\Avena\\ judgment has the effect of enjoining
901
+ the operation of state law. What is more, on Medellín’s view,
902
+ the judgment would force the State to take action to “review and
903
+ reconside[r]” his case. The general rule, however, is that judgments
904
+ of foreign courts awarding injunctive relief, even as to private
905
+ parties, let alone sovereign States, “are not generally entitled to
906
+ enforcement.” {{See 1 Restatement § 481, Comment \\b,\\ at 595.}}
907
+
908
+ In sum, while the ICJ’s judgment in \\Avena\\ creates an
909
+ international law obligation on the part of the United States, it
910
+ does not of its own force constitute binding federal law @@523@@
911
+ that pre-empts state restrictions on the filing of successive habeas
912
+ petitions. As we noted in \\Sanchez-Llamas,\\ a contrary conclusion
913
+ would be extraordinary, given that basic rights guaranteed by our own
914
+ Constitution do not have the effect of displacing state procedural
915
+ rules. {{See 548 U. S., at 360.}} Nothing in the text, background,
916
+ negotiating and drafting history, or practice among signatory nations
917
+ suggests that the President or Senate intended the improbable result
918
+ of giving the judgments of an international tribunal a higher status
919
+ than that enjoyed by “many of our most fundamental constitutional
920
+ protections.” {{\\Ibid.\\}}
921
+
922
+ ^12 That this Court has rarely had occasion to find a treaty
923
+ non-selfexecuting is not all that surprising. {{See \\post,\\ at 545
924
+ (<<Breyer,>> J., dissenting).}} To begin with, the Courts of Appeals
925
+ have regularly done so. {{See, \\e. g., Pierre\\ v. \\Gonzales,\\ 502 F.
926
+ 3d 109, 119–120 (CA2 2007) (holding that the United Nations Convention
927
+ Against Torture and Other Cruel, Inhuman or Degrading Treatment or
928
+ Punishment is non-self-executing); \\Singh\\ v. \\Ashcroft,\\ 398 F.
929
+ 3d 396, 404, n. 3 (CA6 2005) (same); \\Beazley\\ v. \\Johnson,\\ 242
930
+ F. 3d 248, 267 (CA5 2001) (holding that the International Covenant on
931
+ Civil and Political Rights is non-self-executing).}} Further, as noted,
932
+ Congress has not hesitated to pass implementing legislation for treaties
933
+
934
+ # III
935
+
936
+ Medellín next argues that the ICJ’s judgment in \\Avena\\ is
937
+ binding on state courts by virtue of the President’s February 28, 2005
938
+ Memorandum. The United States contends that while the \\Avena\\ judgment
939
+ does not of its own force require domestic courts to set aside ordinary
940
+ rules of procedural default, that judgment became the law of the land
941
+ with precisely that effect pursuant to the President’s Memorandum
942
+ and his power “to establish binding rules of decision that preempt
943
+ contrary state law.” Brief for United States as \\Amicus Curiae\\ 5.
944
+ Accordingly, we must decide whether the President’s declaration alters
945
+ our conclusion that the \\Avena\\ judgment is not a rule of domestic law
946
+ binding in state and federal courts.[[13]]
947
+
948
+ ## A
949
+
950
+ The United States maintains that the President’s constitutional
951
+ role “uniquely qualifies” him to resolve the sensitive @@524@@
952
+ foreign policy decisions that bear on compliance with an ICJ decision
953
+ and “to do so expeditiously.” {{Brief for United States as \\Amicus
954
+ Curiae\\ 11, 12. We do not question these propositions. See, \\e. g.,
955
+ First Nat. City Bank\\ v. \\Banco Nacional de Cuba,\\ 406 U. S. 759,
956
+ 767 (1972) (plurality opinion) (The President has “the lead role
957
+ . . . in foreign policy”); \\American Ins. Assn.\\ v. \\Garamendi,\\
958
+ 539 U. S. 396, 414 (2003) (Article II of the Constitution places with
959
+ the President the “ ‘vast share of responsibility for the conduct
960
+ of our foreign relations’ ” (quoting \\Youngstown Sheet & Tube
961
+ Co.\\ v. \\Sawyer,\\ 343 U. S. 579, 610–611 (1952) (Frankfurter,
962
+ J., concurring))).}} In this case, the President seeks to vindicate
963
+ United States interests in ensuring the reciprocal observance of the
964
+ Vienna Convention, protecting relations with foreign governments,
965
+ and demonstrating commitment to the role of international law. These
966
+ interests are plainly compelling.
967
+
968
+ ^13 The dissent refrains from deciding the issue, but finds it
969
+ “difficult to believe that in the exercise of his Article II powers
970
+ pursuant to a ratified treaty, the President can \\never\\ take action
971
+ that would result in setting aside state law.” {{\\Post,\\ at 564.}}
972
+ We agree. The questions here are the far more limited ones of whether
973
+ he may unilaterally create federal law by giving effect to the judgment
974
+ of this international tribunal pursuant to this non-self-executing
975
+ treaty, and, if not, whether he may rely on other authority under the
976
+ Constitution to support the action taken in this partic
977
+
978
+ Such considerations, however, do not allow us to set aside first
979
+ principles. The President’s authority to act, as with the exercise
980
+ of any governmental power, “must stem either from an act of Congress
981
+ or from the Constitution itself.” {{\\Youngstown, supra,\\ at 585;
982
+ \\Dames & Moore\\ v. \\Regan,\\ 453 U. S. 654, 668 (1981).}}
983
+
984
+ Justice Jackson’s familiar tripartite scheme provides the accepted
985
+ framework for evaluating executive action in this area. First, “[w]hen
986
+ the President acts pursuant to an express or implied authorization of
987
+ Congress, his authority is at its maximum, for it includes all that
988
+ he possesses in his own right plus all that Congress can delegate.”
989
+ {{\\Youngstown,\\ 343 U. S., at 635 (concurring opinion).}} Second,
990
+ “[w]hen the President acts in absence of either a congressional grant
991
+ or denial of authority, he can only rely upon his own independent
992
+ powers, but there is a zone of twilight in which he and Congress may
993
+ have concurrent authority, or in which its distribution is uncertain.”
994
+ {{\\Id.,\\ at 637.}} In this circumstance, Presidential authority
995
+ can derive support from “congressional inertia, indifference or
996
+ quiescence.” {{\\Ibid.\\}} @@525@@ Finally, “[w]hen the President
997
+ takes measures incompatible with the expressed or implied will of
998
+ Congress, his power is at its lowest ebb,” and the Court can sustain
999
+ his actions “only by disabling the Congress from acting upon the
1000
+ subject.” {{\\Id.,\\ at 637–638.}}
1001
+
1002
+ ## B
1003
+
1004
+ The United States marshals two principal arguments in favor of the
1005
+ President’s authority “to establish binding rules of decision that
1006
+ preempt contrary state law.” {{Brief for United States as \\Amicus
1007
+ Curiae\\ 5. T}}he Solicitor General first argues that the relevant
1008
+ treaties give the President the authority to implement the \\Avena\\
1009
+ judgment and that Congress has acquiesced in the exercise of such
1010
+ authority. The United States also relies upon an “independent”
1011
+ international dispute-resolution power wholly apart from the asserted
1012
+ authority based on the pertinent treaties. Medellín adds the additional
1013
+ argument that the President’s Memorandum is a valid exercise of his
1014
+ power to take care that the laws be faithfully executed.
1015
+
1016
+ ### 1
1017
+
1018
+ The United States maintains that the President’s Memorandum is
1019
+ authorized by the Optional Protocol and the U. N. Charter. {{Brief for
1020
+ United States as \\Amicus Curiae\\ 9.}} That is, because the relevant
1021
+ treaties “create an obligation to comply with \\Avena,\\” they
1022
+ “\\implicitly\\ give the President authority to implement that
1023
+ treaty-based obligation.” {{\\Id.,\\ at 11 (emphasis added).}} As
1024
+ a result, the President’s Memorandum is well grounded in the first
1025
+ category of the \\Youngstown\\ framework.
1026
+
1027
+ We disagree. The President has an array of political and diplomatic
1028
+ means available to enforce international obligations, but unilaterally
1029
+ converting a non-self-executing treaty into a self-executing one is
1030
+ not among them. The responsibility for transforming an international
1031
+ obligation arising from a non-self-executing treaty into domestic law
1032
+ falls to @@526@@ Congress. {{\\Foster,\\ 2 Pet., at 315; \\Whitney,\\
1033
+ 124 U. S., at 194; \\Igartu´ a-De La Rosa,\\ 417 F. 3d, at 150.}}
1034
+ As this Court has explained, when treaty stipulations are “not
1035
+ self-executing they can only be enforced pursuant to legislation to
1036
+ carry them into effect.” {{\\Whitney, supra,\\ at 194.}} Moreover,
1037
+ “[u]ntil such act shall be passed, the Court is not at liberty to
1038
+ disregard the existing laws on the subject.” {{\\Foster, supra,\\ at
1039
+ 315.}}
1040
+
1041
+ The requirement that Congress, rather than the President, implement
1042
+ a non-self-executing treaty derives from the text of the Constitution,
1043
+ which divides the treaty-making power between the President and the
1044
+ Senate. The Constitution vests the President with the authority to
1045
+ “make” a treaty. {{Art. II, § 2.}} If the Executive determines
1046
+ that a treaty should have domestic effect of its own force, that
1047
+ determination may be implemented in “mak[ing]” the treaty, by
1048
+ ensuring that it contains language plainly providing for domestic
1049
+ enforceability. If the treaty is to be self-executing in this respect,
1050
+ the Senate must consent to the treaty by the requisite two-thirds vote,
1051
+ {{\\ibid.,\\}} consistent with all other constitutional restraints.
1052
+
1053
+ Once a treaty is ratified without provisions clearly according it
1054
+ domestic effect, however, whether the treaty will ever have such effect
1055
+ is governed by the fundamental constitutional principle that “
1056
+ ‘[t]he power to make the necessary laws is in Congress; the power to
1057
+ execute in the President.’ ” {{\\Hamdan\\ v. \\Rumsfeld,\\ 548 U. S.
1058
+ 557, 591 (2006) (quoting \\Ex parte Milligan,\\ 4 Wall. 2, 139 (1866)
1059
+ (opinion of Chase, C. J.)); see U. S. Const., Art. I, § 1 (“All
1060
+ legislative Powers herein granted shall be vested in a Congress of the
1061
+ United States”).}} As already noted, the terms of a non-selfexecuting
1062
+ treaty can become domestic law only in the same way as any other
1063
+ law—through passage of legislation by both Houses of Congress,
1064
+ combined with either the President’s signature or a congressional
1065
+ override of a Presidential veto. {{See Art. I, §7.}} Indeed, “the
1066
+ President’s power to see that @@527@@ the laws are faithfully executed
1067
+ refutes the idea that he is to be a lawmaker.” {{\\Youngstown,\\ 343
1068
+ U. S., at 587.}}
1069
+
1070
+ A non-self-executing treaty, by definition, is one that was ratified
1071
+ with the understanding that it is not to have domestic effect of its
1072
+ own force. That understanding precludes the assertion that Congress has
1073
+ implicitly authorized the President—acting on his own—to achieve
1074
+ precisely the same result. We therefore conclude, given the absence of
1075
+ congressional legislation, that the non-self-executing treaties at issue
1076
+ here did not “express[ly] or implied[ly]” vest the President with
1077
+ the unilateral authority to make them selfexecuting. {{See \\id.,\\
1078
+ at 635 (Jackson, J., concurring).}} Accordingly, the President’s
1079
+ Memorandum does not fall within the first category of the \\Youngstown\\
1080
+ framework.
1081
+
1082
+ Indeed, the preceding discussion should make clear that the
1083
+ non-self-executing character of the relevant treaties not only refutes
1084
+ the notion that the ratifying parties vested the President with the
1085
+ authority to unilaterally make treaty obligations binding on domestic
1086
+ courts, but also implicitly prohibits him from doing so. When the
1087
+ President asserts the power to “enforce” a non-self-executing
1088
+ treaty by unilaterally creating domestic law, he acts in conflict with
1089
+ the implicit understanding of the ratifying Senate. His assertion of
1090
+ authority, insofar as it is based on the pertinent non-selfexecuting
1091
+ treaties, is therefore within Justice Jackson’s third category, not
1092
+ the first or even the second. {{See \\id.,\\ at 637–638.}}
1093
+
1094
+ Each of the two means described above for giving domestic effect
1095
+ to an international treaty obligation under the Constitution—for
1096
+ making law—requires joint action by the Executive and Legislative
1097
+ Branches: The Senate can ratify a self-executing treaty “ma[de]”
1098
+ by the Executive, or, if the ratified treaty is not self-executing,
1099
+ Congress can enact implementing legislation approved by the President.
1100
+ It should not be surprising that our Constitution does not contemplate
1101
+ vesting such power in the Executive alone. As Madison ex@@528@@plained
1102
+ in The Federalist No. 47, under our constitutional system of checks and
1103
+ balances, “[t]he magistrate in whom the whole executive power resides
1104
+ cannot of himself make a law.” {{J. Cooke ed., p. 326 (1961).}} That
1105
+ would, however, seem an apt description of the asserted executive
1106
+ authority unilaterally to give the effect of domestic law to obligations
1107
+ under a non-self-executing treaty.
1108
+
1109
+ The United States nonetheless maintains that the President’s
1110
+ Memorandum should be given effect as domestic law because “this case
1111
+ involves a valid Presidential action in the context of Congressional
1112
+ ‘acquiescence.’ ” {{Brief for United States as \\Amicus Curiae\\
1113
+ 11, n. 2.}} Under the \\Youngstown\\ tripartite framework, congressional
1114
+ acquiescence is pertinent when the President’s action falls within
1115
+ the second category—that is, when he “acts in absence of either
1116
+ a congressional grant or denial of authority.” {{343 U. S., at 637
1117
+ (Jackson, J., concurring).}} Here, however, as we have explained, the
1118
+ President’s effort to accord domestic effect to the \\Avena\\ judgment
1119
+ does not meet that prerequisite.
1120
+
1121
+ In any event, even if we were persuaded that congressional
1122
+ acquiescence could support the President’s asserted authority to
1123
+ create domestic law pursuant to a non-selfexecuting treaty, such
1124
+ acquiescence does not exist here. The United States first locates
1125
+ congressional acquiescence in Congress’s failure to act following the
1126
+ President’s resolution of prior ICJ controversies. A review of the
1127
+ Executive’s actions in those prior cases, however, cannot support
1128
+ the claim that Congress acquiesced in this particular exercise of
1129
+ Presidential authority, for none of them remotely involved transforming
1130
+ an international obligation into domestic law and thereby displacing
1131
+ state law.[[14]]
1132
+
1133
+
1134
+ ^14 Rather, in the {{\\Case Concerning Military and Paramilitary
1135
+ Activities in and Against Nicaragua\\ (\\Nicar.\\ v. \\U. S.\\), 1986
1136
+ I. C. J. 14 (Judgment of June 27)}}, the President determined that
1137
+ the United States would \\not\\ comply with the ICJ’s conclusion
1138
+ that the United States owed reparations to Nicaragua. In the {{\\Case
1139
+ Concerning Delimitation of the Maritime\\ @@529@@\\Boundary in the Gulf
1140
+ of Maine Area\\ (\\Can.\\ v. \\U. S.\\), 1984 I. C. J. 246 (Judgment
1141
+ of Oct. 12)}}, a federal agency—the National Oceanic and Atmospheric
1142
+ Administration—issued a final rule which complied with the ICJ’s
1143
+ boundary determination. The {{\\Case Concerning Rights of Nationals of
1144
+ the United States of America in Morocco\\ (\\Fr.\\ v. \\U. S.\\), 1952
1145
+ I. C. J. 176 (Judgment of Aug. 27)}}, concerned the legal status of
1146
+ United States citizens living in Morocco; it was not enforced in United
1147
+ States courts.
1148
+
1149
+ ^ The final two cases arose under the Vienna Convention. In the
1150
+ {{\\LaGrand Case\\ (\\F. R. G.\\ v. \\U. S.\\), 2001 I. C. J. 466
1151
+ (Judgment of June 27)}}, the ICJ ordered the review and reconsideration
1152
+ of convictions and sentences of German nationals denied consular
1153
+ notification. In response, the State Department sent letters to the
1154
+ States “encouraging” them to consider the Vienna Convention in
1155
+ the clemency process. {{Brief for United States as \\Amicus Curiae\\
1156
+ 20–21.}} Such encouragement did not give the ICJ judgment direct
1157
+ effect as domestic law; thus, it cannot serve as precedent for doing
1158
+ so in which Congress might be said to have acquiesced. In the {{\\Case
1159
+ Concerning the Vienna Convention on Consular Relations\\ (\\Para.\\ v.
1160
+ \\U. S.\\), 1998 I. C. J. 248 (Judgment of Apr. 9)}}, the ICJ issued a
1161
+ provisional order, directing the United States to “\\take all measures
1162
+ at its disposal\\ to ensure that [Breard] is not executed pending the
1163
+ final decision in [the ICJ’s] proceedings.” {{\\Breard,\\ 523 U.
1164
+ S., at 374 (internal quotation marks omitted; emphasis added).}} In
1165
+ response, the Secretary of State sent a letter to the Governor of
1166
+ Virginia requesting that he stay Breard’s execution. {{\\Id.,\\
1167
+ at 378.}} When Paraguay sought a stay of execution from this Court,
1168
+ the United States argued that it had taken every measure at its
1169
+ disposal: because “our federal system imposes limits on the federal
1170
+ government’s ability to interfere with the criminal justice systems
1171
+ of the States,” those measures included “only persuasion,” not
1172
+ “legal compulsion.” {{Brief for United States as \\Amicus Curiae,\\
1173
+ O. T. 1997, No. 97–8214 (A–732), p. 51.}} This of course is
1174
+ precedent contrary to the proposition asserted by the Solicitor General
1175
+ in this case.@@529@@
1176
+
1177
+ The United States also directs us to the President’s “related”
1178
+ statutory responsibilities and to his “established role” in
1179
+ litigating foreign policy concerns as support for the President’s
1180
+ asserted authority to give the ICJ’s decision in \\Avena\\ the
1181
+ force of domestic law. {{Brief for United States as \\Amicus Curiae\\
1182
+ 16–19.}} Congress has indeed authorized the President to represent
1183
+ the United States before the United Nations, the ICJ, and the Security
1184
+ Council, {{22 U. S. C. § 287}}, but the authority of the President
1185
+ to represent the United @@530@@ States before such bodies speaks to the
1186
+ President’s \\international\\ responsibilities, not any unilateral
1187
+ authority to create domestic law. The authority expressly conferred by
1188
+ Congress in the international realm cannot be said to “invite” the
1189
+ Presidential action at issue here. {{See \\Youngstown, supra,\\ at 637
1190
+ (Jackson, J., concurring).}} At bottom, none of the sources of authority
1191
+ identified by the United States supports the President’s claim that
1192
+ Congress has acquiesced in his asserted power to establish on his own
1193
+ federal law or to override state law.
1194
+
1195
+ None of this is to say, however, that the combination of a
1196
+ non-self-executing treaty and the lack of implementing legislation
1197
+ precludes the President from acting to comply with an international
1198
+ treaty obligation. It is only to say that the Executive cannot
1199
+ unilaterally execute a non-self-executing treaty by giving it domestic
1200
+ effect. That is, the non-selfexecuting character of a treaty constrains
1201
+ the President’s ability to comply with treaty commitments by
1202
+ unilaterally making the treaty binding on domestic courts. The President
1203
+ may comply with the treaty’s obligations by some other means, so long
1204
+ as they are consistent with the Constitution. But he may not rely upon a
1205
+ non-self-executing treaty to “establish binding rules of decision that
1206
+ preempt contrary state law.” {{Brief for United States as \\Amicus
1207
+ Curiae\\ 5.}}
1208
+
1209
+ ### 2
1210
+
1211
+ We thus turn to the United States’ claim that—independent of
1212
+ the United States’ treaty obligations—the Memorandum is a valid
1213
+ exercise of the President’s foreign affairs authority to resolve
1214
+ claims disputes with foreign nations. {{\\Id.,\\ at 12–16.}} The
1215
+ United States relies on a series of cases in which this Court has upheld
1216
+ the authority of the President to settle foreign claims pursuant to an
1217
+ executive agreement. {{See \\Garamendi,\\ 539 U. S., at 415; \\Dames
1218
+ & Moore,\\ 453 U. S., at 679–680; \\United States\\ v. \\Pink,\\
1219
+ 315 U. S. 203, 229 (1942); @@531@@ \\United States\\ v. \\Belmont,\\
1220
+ 301 U. S. 324, 330 (1937).}} In these cases this Court has explained
1221
+ that, if pervasive enough, a history of congressional acquiescence
1222
+ can be treated as a “gloss on ‘Executive Power’ vested in the
1223
+ President by § 1 of Art. II.” {{\\Dames & Moore, supra,\\ at 686
1224
+ (some internal quotation marks omitted).}}
1225
+
1226
+ This argument is of a different nature than the one rejected above.
1227
+ Rather than relying on the United States’ treaty obligations, the
1228
+ President relies on an independent source of authority in ordering
1229
+ Texas to put aside its procedural bar to successive habeas petitions.
1230
+ Nevertheless, we find that our claims-settlement cases do not support
1231
+ the authority that the President asserts in this case.
1232
+
1233
+ The claims-settlement cases involve a narrow set of circumstances:
1234
+ the making of executive agreements to settle civil claims between
1235
+ American citizens and foreign governments or foreign nationals. {{See,
1236
+ \\e. g., Belmont, supra,\\ at 327.}} They are based on the view that
1237
+ “a systematic, unbroken, executive practice, long pursued to the
1238
+ knowledge of the Congress and never before questioned,” can “raise
1239
+ a presumption that the [action] had been [taken] in pursuance of its
1240
+ consent.” {{\\Dames & Moore, supra,\\ at 686 (internal quotation marks
1241
+ omitted).}} As this Court explained in \\Garamendi\\:
1242
+
1243
+ “Making executive agreements to settle claims of Amer ican
1244
+ nationals against foreign governments is a particu larly
1245
+ longstanding practice . . . . Given the fact that the
1246
+ practice goes back over 200 years, and has received congressional
1247
+ acquiescence throughout its history, the conclusion that the
1248
+ President’s control of foreign rela tions includes the settlement
1249
+ of claims is indisputable.” {{539 U. S., at 415 (internal
1250
+ quotation marks and brack ets omitted).}}
1251
+
1252
+ Even still, the limitations on this source of executive power are
1253
+ clearly set forth and the Court has been careful to note @@532@@ that
1254
+ “[p]ast practice does not, by itself, create power.” {{\\Dames &
1255
+ Moore, supra,\\ at 686.}}
1256
+
1257
+ The President’s Memorandum is not supported by a “particularly
1258
+ longstanding practice” of congressional acquiescence, see \\Garamendi,
1259
+ supra,\\ at 415, but rather is what the United States itself has
1260
+ described as “unprecedented action,” {{Brief for United States as
1261
+ \\Amicus Curiae\\ in \\Sanchez-Llamas,\\ O. T. 2005, Nos. 05–51 and
1262
+ 04–10566, pp. 29–30.}} Indeed, the Government has not identified
1263
+ a single instance in which the President has attempted (or Congress
1264
+ has acquiesced in) a Presidential directive issued to state courts,
1265
+ much less one that reaches deep into the heart of the State’s police
1266
+ powers and compels state courts to reopen final criminal judgments
1267
+ and set aside neutrally applicable state laws. {{Cf. \\Brecht\\ v.
1268
+ \\Abrahamson,\\ 507 U. S. 619, 635 (1993) (“States possess primary
1269
+ authority for defining and enforcing the criminal law” (quoting
1270
+ \\Engle\\ v. \\Isaac,\\ 456 U. S. 107, 128 (1982); internal quotation
1271
+ marks omitted)).}} The Executive’s narrow and strictly limited
1272
+ authority to settle international claims disputes pursuant to an
1273
+ executive agreement cannot stretch so far as to support the current
1274
+ Presidential Memorandum.
1275
+
1276
+ ### 3
1277
+
1278
+ Medellín argues that the President’s Memorandum is a valid exercise
1279
+ of his “[T]ake Care” power. {{Brief for Petitioner 28.}} The United
1280
+ States, however, does not rely upon the President’s responsibility to
1281
+ “take Care that the Laws be faithfully executed.” {{U. S. Const.,
1282
+ Art. II, § 3. }}We think this a wise concession. This authority allows
1283
+ the President to execute the laws, not make them. For the reasons we
1284
+ have stated, the \\Avena\\ judgment is not domestic law; accordingly,
1285
+ the President cannot rely on his Take Care powers here.
1286
+
1287
+ The judgment of the Texas Court of Criminal Appeals is affirmed.
1288
+
1289
+ \\It is so ordered.\\